SPDX: Mass-update to GPL-2.0-or-later
[exim.git] / src / src / exim.c
1 /*************************************************
2 *     Exim - an Internet mail transport agent    *
3 *************************************************/
4
5 /* Copyright (c) The Exim Maintainers 2020 - 2022 */
6 /* Copyright (c) University of Cambridge 1995 - 2018 */
7 /* See the file NOTICE for conditions of use and distribution. */
8 /* SPDX-License-Identifier: GPL-2.0-or-later */
9
10
11 /* The main function: entry point, initialization, and high-level control.
12 Also a few functions that don't naturally fit elsewhere. */
13
14
15 #include "exim.h"
16
17 #if defined(__GLIBC__) && !defined(__UCLIBC__)
18 # include <gnu/libc-version.h>
19 #endif
20
21 #ifndef _TIME_H
22 # include <time.h>
23 #endif
24 #ifndef NO_EXECINFO
25 # include <execinfo.h>
26 #endif
27
28 #ifdef USE_GNUTLS
29 # include <gnutls/gnutls.h>
30 # if GNUTLS_VERSION_NUMBER < 0x030103 && !defined(DISABLE_OCSP)
31 #  define DISABLE_OCSP
32 # endif
33 #endif
34
35 extern void init_lookup_list(void);
36
37
38
39 /*************************************************
40 *      Function interface to store functions     *
41 *************************************************/
42
43 /* We need some real functions to pass to the PCRE regular expression library
44 for store allocation via Exim's store manager. The normal calls are actually
45 macros that pass over location information to make tracing easier. These
46 functions just interface to the standard macro calls. A good compiler will
47 optimize out the tail recursion and so not make them too expensive. */
48
49 static void *
50 function_store_malloc(PCRE2_SIZE size, void * tag)
51 {
52 return store_malloc((int)size);
53 }
54
55 static void
56 function_store_free(void * block, void * tag)
57 {
58 /* At least some version of pcre2 pass a null pointer */
59 if (block) store_free(block);
60 }
61
62
63 static void *
64 function_store_get(PCRE2_SIZE size, void * tag)
65 {
66 return store_get((int)size, GET_UNTAINTED);     /* loses track of taint */
67 }
68
69 static void
70 function_store_nullfree(void * block, void * tag)
71 {
72 }
73
74
75
76
77 /*************************************************
78 *         Enums for cmdline interface            *
79 *************************************************/
80
81 enum commandline_info { CMDINFO_NONE=0,
82   CMDINFO_HELP, CMDINFO_SIEVE, CMDINFO_DSCP };
83
84
85
86
87 static void
88 pcre_init(void)
89 {
90 pcre_mlc_ctx = pcre2_general_context_create(function_store_malloc, function_store_free, NULL);
91 pcre_gen_ctx = pcre2_general_context_create(function_store_get, function_store_nullfree, NULL);
92
93 pcre_mlc_cmp_ctx = pcre2_compile_context_create(pcre_mlc_ctx);
94 pcre_gen_cmp_ctx = pcre2_compile_context_create(pcre_gen_ctx);
95
96 pcre_gen_mtc_ctx = pcre2_match_context_create(pcre_gen_ctx);
97 }
98
99
100
101
102 /*************************************************
103 *   Execute regular expression and set strings   *
104 *************************************************/
105
106 /* This function runs a regular expression match, and sets up the pointers to
107 the matched substrings.  The matched strings are copied so the lifetime of
108 the subject is not a problem.  Matched strings will have the same taint status
109 as the subject string (this is not a de-taint method, and must not be made so
110 given the support for wildcards in REs).
111
112 Arguments:
113   re          the compiled expression
114   subject     the subject string
115   options     additional PCRE options
116   setup       if < 0 do full setup
117               if >= 0 setup from setup+1 onwards,
118                 excluding the full matched string
119
120 Returns:      TRUE if matched, or FALSE
121 */
122
123 BOOL
124 regex_match_and_setup(const pcre2_code * re, const uschar * subject, int options, int setup)
125 {
126 pcre2_match_data * md = pcre2_match_data_create_from_pattern(re, pcre_gen_ctx);
127 int res = pcre2_match(re, (PCRE2_SPTR)subject, PCRE2_ZERO_TERMINATED, 0,
128                         PCRE_EOPT | options, md, pcre_gen_mtc_ctx);
129 BOOL yield;
130
131 if ((yield = (res >= 0)))
132   {
133   PCRE2_SIZE * ovec = pcre2_get_ovector_pointer(md);
134   res = pcre2_get_ovector_count(md);
135   expand_nmax = setup < 0 ? 0 : setup + 1;
136   for (int matchnum = setup < 0 ? 0 : 1; matchnum < res; matchnum++)
137     {
138     /* Although PCRE2 has a pcre2_substring_get_bynumber() conveneience, it
139     seems to return a bad pointer when a capture group had no data, eg. (.*)
140     matching zero letters.  So use the underlying ovec and hope (!) that the
141     offsets are sane (including that case).  Should we go further and range-
142     check each one vs. the subject string length? */
143     int off = matchnum * 2;
144     int len = ovec[off + 1] - ovec[off];
145     expand_nstring[expand_nmax] = string_copyn(subject + ovec[off], len);
146     expand_nlength[expand_nmax++] = len;
147     }
148   expand_nmax--;
149   }
150 else if (res != PCRE2_ERROR_NOMATCH) DEBUG(D_any)
151   {
152   uschar errbuf[128];
153   pcre2_get_error_message(res, errbuf, sizeof(errbuf));
154   debug_printf_indent("pcre2: %s\n", errbuf);
155   }
156 /* pcre2_match_data_free(md);   gen ctx needs no free */
157 return yield;
158 }
159
160
161 /* Check just for match with regex.  Uses the common memory-handling.
162
163 Arguments:
164         re      compiled regex
165         subject string to be checked
166         slen    length of subject; -1 for nul-terminated
167         rptr    pointer for matched string, copied, or NULL
168
169 Return: TRUE for a match.
170 */
171
172 BOOL
173 regex_match(const pcre2_code * re, const uschar * subject, int slen, uschar ** rptr)
174 {
175 pcre2_match_data * md = pcre2_match_data_create(1, pcre_gen_ctx);
176 int rc = pcre2_match(re, (PCRE2_SPTR)subject,
177                       slen >= 0 ? slen : PCRE2_ZERO_TERMINATED,
178                       0, PCRE_EOPT, md, pcre_gen_mtc_ctx);
179 PCRE2_SIZE * ovec = pcre2_get_ovector_pointer(md);
180 BOOL ret = FALSE;
181
182 if (rc >= 0)
183   {
184   if (rptr)
185     *rptr = string_copyn(subject + ovec[0], ovec[1] - ovec[0]);
186   ret = TRUE;
187   }
188 /* pcre2_match_data_free(md);   gen ctx needs no free */
189 return ret;
190 }
191
192
193
194 /*************************************************
195 *            Set up processing details           *
196 *************************************************/
197
198 /* Save a text string for dumping when SIGUSR1 is received.
199 Do checks for overruns.
200
201 Arguments: format and arguments, as for printf()
202 Returns:   nothing
203 */
204
205 void
206 set_process_info(const char *format, ...)
207 {
208 gstring gs = { .size = PROCESS_INFO_SIZE - 2, .ptr = 0, .s = process_info };
209 gstring * g;
210 int len;
211 va_list ap;
212
213 g = string_fmt_append(&gs, "%5d ", (int)getpid());
214 len = g->ptr;
215 va_start(ap, format);
216 if (!string_vformat(g, 0, format, ap))
217   {
218   gs.ptr = len;
219   g = string_cat(&gs, US"**** string overflowed buffer ****");
220   }
221 g = string_catn(g, US"\n", 1);
222 string_from_gstring(g);
223 process_info_len = g->ptr;
224 DEBUG(D_process_info) debug_printf("set_process_info: %s", process_info);
225 va_end(ap);
226 }
227
228 /***********************************************
229 *            Handler for SIGTERM               *
230 ***********************************************/
231
232 static void
233 term_handler(int sig)
234 {
235 exit(1);
236 }
237
238
239 /***********************************************
240 *            Handler for SIGSEGV               *
241 ***********************************************/
242
243 #define STACKDUMP_MAX 24
244 void
245 stackdump(void)
246 {
247 #ifndef NO_EXECINFO
248 void * buf[STACKDUMP_MAX];
249 char ** ss;
250 int nptrs = backtrace(buf, STACKDUMP_MAX);
251
252 log_write(0, LOG_MAIN|LOG_PANIC, "backtrace");
253 log_write(0, LOG_MAIN|LOG_PANIC, "---");
254 if ((ss = backtrace_symbols(buf, nptrs)))
255   {
256   for (int i = 0; i < nptrs; i++)
257     log_write(0, LOG_MAIN|LOG_PANIC, "\t%s", ss[i]);
258   free(ss);
259   }
260 else
261   log_write(0, LOG_MAIN|LOG_PANIC, "backtrace_symbols: %s", strerror(errno));
262 log_write(0, LOG_MAIN|LOG_PANIC, "---");
263 #endif
264 }
265 #undef STACKDUMP_MAX
266
267
268 static void
269 #ifdef SA_SIGINFO
270 segv_handler(int sig, siginfo_t * info, void * uctx)
271 {
272 log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (fault address: %p)", info->si_addr);
273 # if defined(SEGV_MAPERR) && defined(SEGV_ACCERR) && defined(SEGV_BNDERR) && defined(SEGV_PKUERR)
274 switch (info->si_code)
275   {
276   case SEGV_MAPERR: log_write(0, LOG_MAIN|LOG_PANIC, "SEGV_MAPERR"); break;
277   case SEGV_ACCERR: log_write(0, LOG_MAIN|LOG_PANIC, "SEGV_ACCERR"); break;
278   case SEGV_BNDERR: log_write(0, LOG_MAIN|LOG_PANIC, "SEGV_BNDERR"); break;
279   case SEGV_PKUERR: log_write(0, LOG_MAIN|LOG_PANIC, "SEGV_PKUERR"); break;
280   }
281 # endif
282 if (US info->si_addr < US 4096)
283   log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (null pointer indirection)");
284 else
285   log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (maybe attempt to write to immutable memory)");
286 if (process_info_len > 0)
287   log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (%.*s)", process_info_len, process_info);
288 stackdump();
289 signal(SIGSEGV, SIG_DFL);
290 kill(getpid(), sig);
291 }
292
293 #else
294 segv_handler(int sig)
295 {
296 log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (maybe attempt to write to immutable memory)");
297 if (process_info_len > 0)
298   log_write(0, LOG_MAIN|LOG_PANIC, "SIGSEGV (%.*s)", process_info_len, process_info);
299 stackdump();
300 signal(SIGSEGV, SIG_DFL);
301 kill(getpid(), sig);
302 }
303 #endif
304
305
306 /*************************************************
307 *             Handler for SIGUSR1                *
308 *************************************************/
309
310 /* SIGUSR1 causes any exim process to write to the process log details of
311 what it is currently doing. It will only be used if the OS is capable of
312 setting up a handler that causes automatic restarting of any system call
313 that is in progress at the time.
314
315 This function takes care to be signal-safe.
316
317 Argument: the signal number (SIGUSR1)
318 Returns:  nothing
319 */
320
321 static void
322 usr1_handler(int sig)
323 {
324 int fd;
325
326 os_restarting_signal(sig, usr1_handler);
327
328 if (!process_log_path) return;
329 fd = log_open_as_exim(process_log_path);
330
331 /* If we are neither exim nor root, or if we failed to create the log file,
332 give up. There is not much useful we can do with errors, since we don't want
333 to disrupt whatever is going on outside the signal handler. */
334
335 if (fd < 0) return;
336
337 (void)write(fd, process_info, process_info_len);
338 (void)close(fd);
339 }
340
341
342
343 /*************************************************
344 *             Timeout handler                    *
345 *************************************************/
346
347 /* This handler is enabled most of the time that Exim is running. The handler
348 doesn't actually get used unless alarm() has been called to set a timer, to
349 place a time limit on a system call of some kind. When the handler is run, it
350 re-enables itself.
351
352 There are some other SIGALRM handlers that are used in special cases when more
353 than just a flag setting is required; for example, when reading a message's
354 input. These are normally set up in the code module that uses them, and the
355 SIGALRM handler is reset to this one afterwards.
356
357 Argument: the signal value (SIGALRM)
358 Returns:  nothing
359 */
360
361 void
362 sigalrm_handler(int sig)
363 {
364 sigalrm_seen = TRUE;
365 os_non_restarting_signal(SIGALRM, sigalrm_handler);
366 }
367
368
369
370 /*************************************************
371 *      Sleep for a fractional time interval      *
372 *************************************************/
373
374 /* This function is called by millisleep() and exim_wait_tick() to wait for a
375 period of time that may include a fraction of a second. The coding is somewhat
376 tedious. We do not expect setitimer() ever to fail, but if it does, the process
377 will wait for ever, so we panic in this instance. (There was a case of this
378 when a bug in a function that calls milliwait() caused it to pass invalid data.
379 That's when I added the check. :-)
380
381 We assume it to be not worth sleeping for under 50us; this value will
382 require revisiting as hardware advances.  This avoids the issue of
383 a zero-valued timer setting meaning "never fire".
384
385 Argument:  an itimerval structure containing the interval
386 Returns:   nothing
387 */
388
389 static void
390 milliwait(struct itimerval *itval)
391 {
392 sigset_t sigmask;
393 sigset_t old_sigmask;
394 int save_errno = errno;
395
396 if (itval->it_value.tv_usec < 50 && itval->it_value.tv_sec == 0)
397   return;
398 (void)sigemptyset(&sigmask);                           /* Empty mask */
399 (void)sigaddset(&sigmask, SIGALRM);                    /* Add SIGALRM */
400 (void)sigprocmask(SIG_BLOCK, &sigmask, &old_sigmask);  /* Block SIGALRM */
401 if (setitimer(ITIMER_REAL, itval, NULL) < 0)           /* Start timer */
402   log_write(0, LOG_MAIN|LOG_PANIC_DIE,
403     "setitimer() failed: %s", strerror(errno));
404 (void)sigfillset(&sigmask);                            /* All signals */
405 (void)sigdelset(&sigmask, SIGALRM);                    /* Remove SIGALRM */
406 (void)sigsuspend(&sigmask);                            /* Until SIGALRM */
407 (void)sigprocmask(SIG_SETMASK, &old_sigmask, NULL);    /* Restore mask */
408 errno = save_errno;
409 sigalrm_seen = FALSE;
410 }
411
412
413
414
415 /*************************************************
416 *         Millisecond sleep function             *
417 *************************************************/
418
419 /* The basic sleep() function has a granularity of 1 second, which is too rough
420 in some cases - for example, when using an increasing delay to slow down
421 spammers.
422
423 Argument:    number of millseconds
424 Returns:     nothing
425 */
426
427 void
428 millisleep(int msec)
429 {
430 struct itimerval itval = {.it_interval = {.tv_sec = 0, .tv_usec = 0},
431                           .it_value = {.tv_sec = msec/1000,
432                                        .tv_usec = (msec % 1000) * 1000}};
433 milliwait(&itval);
434 }
435
436
437
438 /*************************************************
439 *         Compare microsecond times              *
440 *************************************************/
441
442 /*
443 Arguments:
444   tv1         the first time
445   tv2         the second time
446
447 Returns:      -1, 0, or +1
448 */
449
450 static int
451 exim_tvcmp(struct timeval *t1, struct timeval *t2)
452 {
453 if (t1->tv_sec > t2->tv_sec) return +1;
454 if (t1->tv_sec < t2->tv_sec) return -1;
455 if (t1->tv_usec > t2->tv_usec) return +1;
456 if (t1->tv_usec < t2->tv_usec) return -1;
457 return 0;
458 }
459
460
461
462
463 /*************************************************
464 *          Clock tick wait function              *
465 *************************************************/
466
467 #ifdef _POSIX_MONOTONIC_CLOCK
468 # ifdef CLOCK_BOOTTIME
469 #  define EXIM_CLOCKTYPE CLOCK_BOOTTIME
470 # else
471 #  define EXIM_CLOCKTYPE CLOCK_MONOTONIC
472 # endif
473
474 /* Amount EXIM_CLOCK is behind realtime, at startup. */
475 static struct timespec offset_ts;
476
477 static void
478 exim_clock_init(void)
479 {
480 struct timeval tv;
481 if (clock_gettime(EXIM_CLOCKTYPE, &offset_ts) != 0) return;
482 (void)gettimeofday(&tv, NULL);
483 offset_ts.tv_sec = tv.tv_sec - offset_ts.tv_sec;
484 offset_ts.tv_nsec = tv.tv_usec * 1000 - offset_ts.tv_nsec;
485 if (offset_ts.tv_nsec >= 0) return;
486 offset_ts.tv_sec--;
487 offset_ts.tv_nsec += 1000*1000*1000;
488 }
489 #endif
490
491
492 void
493 exim_gettime(struct timeval * tv)
494 {
495 #ifdef _POSIX_MONOTONIC_CLOCK
496 struct timespec now_ts;
497
498 if (clock_gettime(EXIM_CLOCKTYPE, &now_ts) == 0)
499   {
500   now_ts.tv_sec += offset_ts.tv_sec;
501   if ((now_ts.tv_nsec += offset_ts.tv_nsec) >= 1000*1000*1000)
502     {
503     now_ts.tv_sec++;
504     now_ts.tv_nsec -= 1000*1000*1000;
505     }
506   tv->tv_sec = now_ts.tv_sec;
507   tv->tv_usec = now_ts.tv_nsec / 1000;
508   }
509 else
510 #endif
511   (void)gettimeofday(tv, NULL);
512 }
513
514
515 /* Exim uses a time + a pid to generate a unique identifier in two places: its
516 message IDs, and in file names for maildir deliveries. Because some OS now
517 re-use pids within the same second, sub-second times are now being used.
518 However, for absolute certainty, we must ensure the clock has ticked before
519 allowing the relevant process to complete. At the time of implementation of
520 this code (February 2003), the speed of processors is such that the clock will
521 invariably have ticked already by the time a process has done its job. This
522 function prepares for the time when things are faster - and it also copes with
523 clocks that go backwards.
524
525 Arguments:
526   prev_tv      A timeval which was used to create uniqueness; its usec field
527                  has been rounded down to the value of the resolution.
528                  We want to be sure the current time is greater than this.
529                  On return, updated to current (rounded down).
530   resolution   The resolution that was used to divide the microseconds
531                  (1 for maildir, larger for message ids)
532
533 Returns:       nothing
534 */
535
536 void
537 exim_wait_tick(struct timeval * prev_tv, int resolution)
538 {
539 struct timeval now_tv;
540 long int now_true_usec;
541
542 exim_gettime(&now_tv);
543 now_true_usec = now_tv.tv_usec;
544 now_tv.tv_usec = (now_true_usec/resolution) * resolution;
545
546 while (exim_tvcmp(&now_tv, prev_tv) <= 0)
547   {
548   struct itimerval itval;
549   itval.it_interval.tv_sec = 0;
550   itval.it_interval.tv_usec = 0;
551   itval.it_value.tv_sec = prev_tv->tv_sec - now_tv.tv_sec;
552   itval.it_value.tv_usec = prev_tv->tv_usec + resolution - now_true_usec;
553
554   /* We know that, overall, "now" is less than or equal to "then". Therefore, a
555   negative value for the microseconds is possible only in the case when "now"
556   is more than a second less than "tgt". That means that itval.it_value.tv_sec
557   is greater than zero. The following correction is therefore safe. */
558
559   if (itval.it_value.tv_usec < 0)
560     {
561     itval.it_value.tv_usec += 1000000;
562     itval.it_value.tv_sec -= 1;
563     }
564
565   DEBUG(D_transport|D_receive)
566     {
567     if (!f.running_in_test_harness)
568       {
569       debug_printf("tick check: " TIME_T_FMT ".%06lu " TIME_T_FMT ".%06lu\n",
570         prev_tv->tv_sec, (long) prev_tv->tv_usec,
571         now_tv.tv_sec, (long) now_tv.tv_usec);
572       debug_printf("waiting " TIME_T_FMT ".%06lu sec\n",
573         itval.it_value.tv_sec, (long) itval.it_value.tv_usec);
574       }
575     }
576
577   milliwait(&itval);
578
579   /* Be prapared to go around if the kernel does not implement subtick
580   granularity (GNU Hurd) */
581
582   exim_gettime(&now_tv);
583   now_true_usec = now_tv.tv_usec;
584   now_tv.tv_usec = (now_true_usec/resolution) * resolution;
585   }
586 *prev_tv = now_tv;
587 }
588
589
590
591
592 /*************************************************
593 *   Call fopen() with umask 777 and adjust mode  *
594 *************************************************/
595
596 /* Exim runs with umask(0) so that files created with open() have the mode that
597 is specified in the open() call. However, there are some files, typically in
598 the spool directory, that are created with fopen(). They end up world-writeable
599 if no precautions are taken. Although the spool directory is not accessible to
600 the world, this is an untidiness. So this is a wrapper function for fopen()
601 that sorts out the mode of the created file.
602
603 Arguments:
604    filename       the file name
605    options        the fopen() options
606    mode           the required mode
607
608 Returns:          the fopened FILE or NULL
609 */
610
611 FILE *
612 modefopen(const uschar *filename, const char *options, mode_t mode)
613 {
614 mode_t saved_umask = umask(0777);
615 FILE *f = Ufopen(filename, options);
616 (void)umask(saved_umask);
617 if (f != NULL) (void)fchmod(fileno(f), mode);
618 return f;
619 }
620
621
622 /*************************************************
623 *   Ensure stdin, stdout, and stderr exist       *
624 *************************************************/
625
626 /* Some operating systems grumble if an exec() happens without a standard
627 input, output, and error (fds 0, 1, 2) being defined. The worry is that some
628 file will be opened and will use these fd values, and then some other bit of
629 code will assume, for example, that it can write error messages to stderr.
630 This function ensures that fds 0, 1, and 2 are open if they do not already
631 exist, by connecting them to /dev/null.
632
633 This function is also used to ensure that std{in,out,err} exist at all times,
634 so that if any library that Exim calls tries to use them, it doesn't crash.
635
636 Arguments:  None
637 Returns:    Nothing
638 */
639
640 void
641 exim_nullstd(void)
642 {
643 int devnull = -1;
644 struct stat statbuf;
645 for (int i = 0; i <= 2; i++)
646   {
647   if (fstat(i, &statbuf) < 0 && errno == EBADF)
648     {
649     if (devnull < 0) devnull = open("/dev/null", O_RDWR);
650     if (devnull < 0) log_write(0, LOG_MAIN|LOG_PANIC_DIE, "%s",
651       string_open_failed("/dev/null", NULL));
652     if (devnull != i) (void)dup2(devnull, i);
653     }
654   }
655 if (devnull > 2) (void)close(devnull);
656 }
657
658
659
660
661 /*************************************************
662 *   Close unwanted file descriptors for delivery *
663 *************************************************/
664
665 /* This function is called from a new process that has been forked to deliver
666 an incoming message, either directly, or using exec.
667
668 We want any smtp input streams to be closed in this new process. However, it
669 has been observed that using fclose() here causes trouble. When reading in -bS
670 input, duplicate copies of messages have been seen. The files will be sharing a
671 file pointer with the parent process, and it seems that fclose() (at least on
672 some systems - I saw this on Solaris 2.5.1) messes with that file pointer, at
673 least sometimes. Hence we go for closing the underlying file descriptors.
674
675 If TLS is active, we want to shut down the TLS library, but without molesting
676 the parent's SSL connection.
677
678 For delivery of a non-SMTP message, we want to close stdin and stdout (and
679 stderr unless debugging) because the calling process might have set them up as
680 pipes and be waiting for them to close before it waits for the submission
681 process to terminate. If they aren't closed, they hold up the calling process
682 until the initial delivery process finishes, which is not what we want.
683
684 Exception: We do want it for synchronous delivery!
685
686 And notwithstanding all the above, if D_resolver is set, implying resolver
687 debugging, leave stdout open, because that's where the resolver writes its
688 debugging output.
689
690 When we close stderr (which implies we've also closed stdout), we also get rid
691 of any controlling terminal.
692
693 Arguments:   None
694 Returns:     Nothing
695 */
696
697 static void
698 close_unwanted(void)
699 {
700 if (smtp_input)
701   {
702 #ifndef DISABLE_TLS
703   tls_close(NULL, TLS_NO_SHUTDOWN);      /* Shut down the TLS library */
704 #endif
705   (void)close(fileno(smtp_in));
706   (void)close(fileno(smtp_out));
707   smtp_in = NULL;
708   }
709 else
710   {
711   (void)close(0);                                          /* stdin */
712   if ((debug_selector & D_resolver) == 0) (void)close(1);  /* stdout */
713   if (debug_selector == 0)                                 /* stderr */
714     {
715     if (!f.synchronous_delivery)
716       {
717       (void)close(2);
718       log_stderr = NULL;
719       }
720     (void)setsid();
721     }
722   }
723 }
724
725
726
727
728 /*************************************************
729 *          Set uid and gid                       *
730 *************************************************/
731
732 /* This function sets a new uid and gid permanently, optionally calling
733 initgroups() to set auxiliary groups. There are some special cases when running
734 Exim in unprivileged modes. In these situations the effective uid will not be
735 root; if we already have the right effective uid/gid, and don't need to
736 initialize any groups, leave things as they are.
737
738 Arguments:
739   uid        the uid
740   gid        the gid
741   igflag     TRUE if initgroups() wanted
742   msg        text to use in debugging output and failure log
743
744 Returns:     nothing; bombs out on failure
745 */
746
747 void
748 exim_setugid(uid_t uid, gid_t gid, BOOL igflag, const uschar * msg)
749 {
750 uid_t euid = geteuid();
751 gid_t egid = getegid();
752
753 if (euid == root_uid || euid != uid || egid != gid || igflag)
754   {
755   /* At least one OS returns +1 for initgroups failure, so just check for
756   non-zero. */
757
758   if (igflag)
759     {
760     struct passwd *pw = getpwuid(uid);
761     if (!pw)
762       log_write(0, LOG_MAIN|LOG_PANIC_DIE, "cannot run initgroups(): "
763         "no passwd entry for uid=%ld", (long int)uid);
764
765     if (initgroups(pw->pw_name, gid) != 0)
766       log_write(0,LOG_MAIN|LOG_PANIC_DIE,"initgroups failed for uid=%ld: %s",
767         (long int)uid, strerror(errno));
768     }
769
770   if (setgid(gid) < 0 || setuid(uid) < 0)
771     log_write(0, LOG_MAIN|LOG_PANIC_DIE, "unable to set gid=%ld or uid=%ld "
772       "(euid=%ld): %s", (long int)gid, (long int)uid, (long int)euid, msg);
773   }
774
775 /* Debugging output included uid/gid and all groups */
776
777 DEBUG(D_uid)
778   {
779   int group_count, save_errno;
780   gid_t group_list[EXIM_GROUPLIST_SIZE];
781   debug_printf("changed uid/gid: %s\n  uid=%ld gid=%ld pid=%ld\n", msg,
782     (long int)geteuid(), (long int)getegid(), (long int)getpid());
783   group_count = getgroups(nelem(group_list), group_list);
784   save_errno = errno;
785   debug_printf("  auxiliary group list:");
786   if (group_count > 0)
787     for (int i = 0; i < group_count; i++) debug_printf(" %d", (int)group_list[i]);
788   else if (group_count < 0)
789     debug_printf(" <error: %s>", strerror(save_errno));
790   else debug_printf(" <none>");
791   debug_printf("\n");
792   }
793 }
794
795
796
797
798 /*************************************************
799 *               Exit point                       *
800 *************************************************/
801
802 /* Exim exits via this function so that it always clears up any open
803 databases.
804
805 Arguments:
806   rc         return code
807
808 Returns:     does not return
809 */
810
811 void
812 exim_exit(int rc)
813 {
814 search_tidyup();
815 store_exit();
816 DEBUG(D_any)
817   debug_printf(">>>>>>>>>>>>>>>> Exim pid=%d (%s) terminating with rc=%d "
818     ">>>>>>>>>>>>>>>>\n",
819     (int)getpid(), process_purpose, rc);
820 exit(rc);
821 }
822
823
824 void
825 exim_underbar_exit(int rc)
826 {
827 store_exit();
828 DEBUG(D_any)
829   debug_printf(">>>>>>>>>>>>>>>> Exim pid=%d (%s) terminating with rc=%d "
830     ">>>>>>>>>>>>>>>>\n",
831     (int)getpid(), process_purpose, rc);
832 _exit(rc);
833 }
834
835
836
837 /* Print error string, then die */
838 static void
839 exim_fail(const char * fmt, ...)
840 {
841 va_list ap;
842 va_start(ap, fmt);
843 vfprintf(stderr, fmt, ap);
844 exit(EXIT_FAILURE);
845 }
846
847 /* fail if a length is too long */
848 static inline void
849 exim_len_fail_toolong(int itemlen, int maxlen, const char *description)
850 {
851 if (itemlen <= maxlen)
852   return;
853 fprintf(stderr, "exim: length limit exceeded (%d > %d) for: %s\n",
854         itemlen, maxlen, description);
855 exit(EXIT_FAILURE);
856 }
857
858 /* only pass through the string item back to the caller if it's short enough */
859 static inline const uschar *
860 exim_str_fail_toolong(const uschar *item, int maxlen, const char *description)
861 {
862 exim_len_fail_toolong(Ustrlen(item), maxlen, description);
863 return item;
864 }
865
866 /* exim_chown_failure() called from exim_chown()/exim_fchown() on failure
867 of chown()/fchown().  See src/functions.h for more explanation */
868 int
869 exim_chown_failure(int fd, const uschar *name, uid_t owner, gid_t group)
870 {
871 int saved_errno = errno;  /* from the preceeding chown call */
872 #if 1
873 log_write(0, LOG_MAIN|LOG_PANIC,
874   __FILE__ ":%d: chown(%s, %d:%d) failed (%s)."
875   " Please contact the authors and refer to https://bugs.exim.org/show_bug.cgi?id=2391",
876   __LINE__, name?name:US"<unknown>", owner, group, strerror(errno));
877 #else
878 /* I leave this here, commented, in case the "bug"(?) comes up again.
879    It is not an Exim bug, but we can provide a workaround.
880    See Bug 2391
881    HS 2019-04-18 */
882
883 struct stat buf;
884
885 if (0 == (fd < 0 ? stat(name, &buf) : fstat(fd, &buf)))
886 {
887   if (buf.st_uid == owner && buf.st_gid == group) return 0;
888   log_write(0, LOG_MAIN|LOG_PANIC, "Wrong ownership on %s", name);
889 }
890 else log_write(0, LOG_MAIN|LOG_PANIC, "Stat failed on %s: %s", name, strerror(errno));
891
892 #endif
893 errno = saved_errno;
894 return -1;
895 }
896
897
898 /*************************************************
899 *         Extract port from host address         *
900 *************************************************/
901
902 /* Called to extract the port from the values given to -oMa and -oMi.
903 It also checks the syntax of the address, and terminates it before the
904 port data when a port is extracted.
905
906 Argument:
907   address   the address, with possible port on the end
908
909 Returns:    the port, or zero if there isn't one
910             bombs out on a syntax error
911 */
912
913 static int
914 check_port(uschar *address)
915 {
916 int port = host_address_extract_port(address);
917 if (string_is_ip_address(address, NULL) == 0)
918   exim_fail("exim abandoned: \"%s\" is not an IP address\n", address);
919 return port;
920 }
921
922
923
924 /*************************************************
925 *              Test/verify an address            *
926 *************************************************/
927
928 /* This function is called by the -bv and -bt code. It extracts a working
929 address from a full RFC 822 address. This isn't really necessary per se, but it
930 has the effect of collapsing source routes.
931
932 Arguments:
933   s            the address string
934   flags        flag bits for verify_address()
935   exit_value   to be set for failures
936
937 Returns:       nothing
938 */
939
940 static void
941 test_address(uschar *s, int flags, int *exit_value)
942 {
943 int start, end, domain;
944 uschar *parse_error = NULL;
945 uschar *address = parse_extract_address(s, &parse_error, &start, &end, &domain,
946   FALSE);
947 if (!address)
948   {
949   fprintf(stdout, "syntax error: %s\n", parse_error);
950   *exit_value = 2;
951   }
952 else
953   {
954   int rc = verify_address(deliver_make_addr(address,TRUE), stdout, flags, -1,
955     -1, -1, NULL, NULL, NULL);
956   if (rc == FAIL) *exit_value = 2;
957   else if (rc == DEFER && *exit_value == 0) *exit_value = 1;
958   }
959 }
960
961
962
963 /*************************************************
964 *          Show supported features               *
965 *************************************************/
966
967 static void
968 show_string(BOOL is_stdout, gstring * g)
969 {
970 const uschar * s = string_from_gstring(g);
971 if (s)
972   if (is_stdout) fputs(CCS s, stdout);
973   else debug_printf("%s", s);
974 }
975
976
977 static gstring *
978 show_db_version(gstring * g)
979 {
980 #ifdef DB_VERSION_STRING
981 DEBUG(D_any)
982   {
983   g = string_fmt_append(g, "Library version: BDB: Compile: %s\n", DB_VERSION_STRING);
984   g = string_fmt_append(g, "                      Runtime: %s\n",
985     db_version(NULL, NULL, NULL));
986   }
987 else
988   g = string_fmt_append(g, "Berkeley DB: %s\n", DB_VERSION_STRING);
989
990 #elif defined(BTREEVERSION) && defined(HASHVERSION)
991 # ifdef USE_DB
992   g = string_cat(g, US"Probably Berkeley DB version 1.8x (native mode)\n");
993 # else
994   g = string_cat(g, US"Probably Berkeley DB version 1.8x (compatibility mode)\n");
995 # endif
996
997 #elif defined(_DBM_RDONLY) || defined(dbm_dirfno)
998 g = string_cat(g, US"Probably ndbm\n");
999 #elif defined(USE_TDB)
1000 g = string_cat(g, US"Using tdb\n");
1001 #else
1002 # ifdef USE_GDBM
1003   g = string_cat(g, US"Probably GDBM (native mode)\n");
1004 # else
1005   g = string_cat(g, US"Probably GDBM (compatibility mode)\n");
1006 # endif
1007 #endif
1008 return g;
1009 }
1010
1011
1012 /* This function is called for -bV/--version and for -d to output the optional
1013 features of the current Exim binary.
1014
1015 Arguments:  BOOL, true for stdout else debug channel
1016 Returns:    nothing
1017 */
1018
1019 static void
1020 show_whats_supported(BOOL is_stdout)
1021 {
1022 rmark reset_point = store_mark();
1023 gstring * g = NULL;
1024
1025 DEBUG(D_any) {} else g = show_db_version(g);
1026
1027 g = string_cat(g, US"Support for:");
1028 #ifdef SUPPORT_CRYPTEQ
1029   g = string_cat(g, US" crypteq");
1030 #endif
1031 #if HAVE_ICONV
1032   g = string_cat(g, US" iconv()");
1033 #endif
1034 #if HAVE_IPV6
1035   g = string_cat(g, US" IPv6");
1036 #endif
1037 #ifdef HAVE_SETCLASSRESOURCES
1038   g = string_cat(g, US" use_setclassresources");
1039 #endif
1040 #ifdef SUPPORT_PAM
1041   g = string_cat(g, US" PAM");
1042 #endif
1043 #ifdef EXIM_PERL
1044   g = string_cat(g, US" Perl");
1045 #endif
1046 #ifdef EXPAND_DLFUNC
1047   g = string_cat(g, US" Expand_dlfunc");
1048 #endif
1049 #ifdef USE_TCP_WRAPPERS
1050   g = string_cat(g, US" TCPwrappers");
1051 #endif
1052 #ifdef USE_GNUTLS
1053   g = string_cat(g, US" GnuTLS");
1054 #endif
1055 #ifdef USE_OPENSSL
1056   g = string_cat(g, US" OpenSSL");
1057 #endif
1058 #ifndef DISABLE_TLS_RESUME
1059   g = string_cat(g, US" TLS_resume");
1060 #endif
1061 #ifdef SUPPORT_TRANSLATE_IP_ADDRESS
1062   g = string_cat(g, US" translate_ip_address");
1063 #endif
1064 #ifdef SUPPORT_MOVE_FROZEN_MESSAGES
1065   g = string_cat(g, US" move_frozen_messages");
1066 #endif
1067 #ifdef WITH_CONTENT_SCAN
1068   g = string_cat(g, US" Content_Scanning");
1069 #endif
1070 #ifdef SUPPORT_DANE
1071   g = string_cat(g, US" DANE");
1072 #endif
1073 #ifndef DISABLE_DKIM
1074   g = string_cat(g, US" DKIM");
1075 #endif
1076 #ifdef SUPPORT_DMARC
1077   g = string_cat(g, US" DMARC");
1078 #endif
1079 #ifndef DISABLE_DNSSEC
1080   g = string_cat(g, US" DNSSEC");
1081 #endif
1082 #ifndef DISABLE_EVENT
1083   g = string_cat(g, US" Event");
1084 #endif
1085 #ifdef SUPPORT_I18N
1086   g = string_cat(g, US" I18N");
1087 #endif
1088 #ifndef DISABLE_OCSP
1089   g = string_cat(g, US" OCSP");
1090 #endif
1091 #ifndef DISABLE_PIPE_CONNECT
1092   g = string_cat(g, US" PIPECONNECT");
1093 #endif
1094 #ifndef DISABLE_PRDR
1095   g = string_cat(g, US" PRDR");
1096 #endif
1097 #ifdef SUPPORT_PROXY
1098   g = string_cat(g, US" PROXY");
1099 #endif
1100 #ifndef DISABLE_QUEUE_RAMP
1101   g = string_cat(g, US" Queue_Ramp");
1102 #endif
1103 #ifdef SUPPORT_SOCKS
1104   g = string_cat(g, US" SOCKS");
1105 #endif
1106 #ifdef SUPPORT_SPF
1107   g = string_cat(g, US" SPF");
1108 #endif
1109 #if defined(SUPPORT_SRS)
1110   g = string_cat(g, US" SRS");
1111 #endif
1112 #ifdef TCP_FASTOPEN
1113   tcp_init();
1114   if (f.tcp_fastopen_ok) g = string_cat(g, US" TCP_Fast_Open");
1115 #endif
1116 #ifdef EXPERIMENTAL_ARC
1117   g = string_cat(g, US" Experimental_ARC");
1118 #endif
1119 #ifdef EXPERIMENTAL_BRIGHTMAIL
1120   g = string_cat(g, US" Experimental_Brightmail");
1121 #endif
1122 #ifdef EXPERIMENTAL_DCC
1123   g = string_cat(g, US" Experimental_DCC");
1124 #endif
1125 #ifdef EXPERIMENTAL_DSN_INFO
1126   g = string_cat(g, US" Experimental_DSN_info");
1127 #endif
1128 #ifdef EXPERIMENTAL_ESMTP_LIMITS
1129   g = string_cat(g, US" Experimental_ESMTP_Limits");
1130 #endif
1131 #ifdef EXPERIMENTAL_QUEUEFILE
1132   g = string_cat(g, US" Experimental_QUEUEFILE");
1133 #endif
1134 g = string_cat(g, US"\n");
1135
1136 g = string_cat(g, US"Lookups (built-in):");
1137 #if defined(LOOKUP_LSEARCH) && LOOKUP_LSEARCH!=2
1138   g = string_cat(g, US" lsearch wildlsearch nwildlsearch iplsearch");
1139 #endif
1140 #if defined(LOOKUP_CDB) && LOOKUP_CDB!=2
1141   g = string_cat(g, US" cdb");
1142 #endif
1143 #if defined(LOOKUP_DBM) && LOOKUP_DBM!=2
1144   g = string_cat(g, US" dbm dbmjz dbmnz");
1145 #endif
1146 #if defined(LOOKUP_DNSDB) && LOOKUP_DNSDB!=2
1147   g = string_cat(g, US" dnsdb");
1148 #endif
1149 #if defined(LOOKUP_DSEARCH) && LOOKUP_DSEARCH!=2
1150   g = string_cat(g, US" dsearch");
1151 #endif
1152 #if defined(LOOKUP_IBASE) && LOOKUP_IBASE!=2
1153   g = string_cat(g, US" ibase");
1154 #endif
1155 #if defined(LOOKUP_JSON) && LOOKUP_JSON!=2
1156   g = string_cat(g, US" json");
1157 #endif
1158 #if defined(LOOKUP_LDAP) && LOOKUP_LDAP!=2
1159   g = string_cat(g, US" ldap ldapdn ldapm");
1160 #endif
1161 #ifdef LOOKUP_LMDB
1162   g = string_cat(g, US" lmdb");
1163 #endif
1164 #if defined(LOOKUP_MYSQL) && LOOKUP_MYSQL!=2
1165   g = string_cat(g, US" mysql");
1166 #endif
1167 #if defined(LOOKUP_NIS) && LOOKUP_NIS!=2
1168   g = string_cat(g, US" nis nis0");
1169 #endif
1170 #if defined(LOOKUP_NISPLUS) && LOOKUP_NISPLUS!=2
1171   g = string_cat(g, US" nisplus");
1172 #endif
1173 #if defined(LOOKUP_ORACLE) && LOOKUP_ORACLE!=2
1174   g = string_cat(g, US" oracle");
1175 #endif
1176 #if defined(LOOKUP_PASSWD) && LOOKUP_PASSWD!=2
1177   g = string_cat(g, US" passwd");
1178 #endif
1179 #if defined(LOOKUP_PGSQL) && LOOKUP_PGSQL!=2
1180   g = string_cat(g, US" pgsql");
1181 #endif
1182 #if defined(LOOKUP_REDIS) && LOOKUP_REDIS!=2
1183   g = string_cat(g, US" redis");
1184 #endif
1185 #if defined(LOOKUP_SQLITE) && LOOKUP_SQLITE!=2
1186   g = string_cat(g, US" sqlite");
1187 #endif
1188 #if defined(LOOKUP_TESTDB) && LOOKUP_TESTDB!=2
1189   g = string_cat(g, US" testdb");
1190 #endif
1191 #if defined(LOOKUP_WHOSON) && LOOKUP_WHOSON!=2
1192   g = string_cat(g, US" whoson");
1193 #endif
1194 g = string_cat(g, US"\n");
1195
1196 g = auth_show_supported(g);
1197 g = route_show_supported(g);
1198 g = transport_show_supported(g);
1199
1200 #ifdef WITH_CONTENT_SCAN
1201 g = malware_show_supported(g);
1202 #endif
1203 show_string(is_stdout, g); g = NULL;
1204
1205 if (fixed_never_users[0] > 0)
1206   {
1207   int i;
1208   g = string_cat(g, US"Fixed never_users: ");
1209   for (i = 1; i <= (int)fixed_never_users[0] - 1; i++)
1210     string_fmt_append(g, "%u:", (unsigned)fixed_never_users[i]);
1211   g = string_fmt_append(g, "%u\n", (unsigned)fixed_never_users[i]);
1212   }
1213
1214 g = string_fmt_append(g, "Configure owner: %d:%d\n", config_uid, config_gid);
1215
1216 g = string_fmt_append(g, "Size of off_t: " SIZE_T_FMT "\n", sizeof(off_t));
1217
1218 /* Everything else is details which are only worth reporting when debugging.
1219 Perhaps the tls_version_report should move into this too. */
1220 DEBUG(D_any)
1221   {
1222
1223 /* clang defines __GNUC__ (at least, for me) so test for it first */
1224 #if defined(__clang__)
1225   g = string_fmt_append(g, "Compiler: CLang [%s]\n", __clang_version__);
1226 #elif defined(__GNUC__)
1227   g = string_fmt_append(g, "Compiler: GCC [%s]\n",
1228 # ifdef __VERSION__
1229       __VERSION__
1230 # else
1231       "? unknown version ?"
1232 # endif
1233       );
1234 #else
1235   g = string_cat(g, US"Compiler: <unknown>\n");
1236 #endif
1237
1238 #if defined(__GLIBC__) && !defined(__UCLIBC__)
1239   g = string_fmt_append(g, "Library version: Glibc: Compile: %d.%d\n",
1240                 __GLIBC__, __GLIBC_MINOR__);
1241   if (__GLIBC_PREREQ(2, 1))
1242     g = string_fmt_append(g, "                        Runtime: %s\n",
1243                 gnu_get_libc_version());
1244 #endif
1245
1246 g = show_db_version(g);
1247
1248 #ifndef DISABLE_TLS
1249   g = tls_version_report(g);
1250 #endif
1251 #ifdef SUPPORT_I18N
1252   g = utf8_version_report(g);
1253 #endif
1254 #ifdef SUPPORT_DMARC
1255   g = dmarc_version_report(g);
1256 #endif
1257 #ifdef SUPPORT_SPF
1258   g = spf_lib_version_report(g);
1259 #endif
1260
1261 show_string(is_stdout, g);
1262 g = NULL;
1263
1264 for (auth_info * authi = auths_available; *authi->driver_name != '\0'; ++authi)
1265   if (authi->version_report)
1266     g = (*authi->version_report)(g);
1267
1268   /* PCRE_PRERELEASE is either defined and empty or a bare sequence of
1269   characters; unless it's an ancient version of PCRE in which case it
1270   is not defined. */
1271 #ifndef PCRE_PRERELEASE
1272 # define PCRE_PRERELEASE
1273 #endif
1274 #define QUOTE(X) #X
1275 #define EXPAND_AND_QUOTE(X) QUOTE(X)
1276   {
1277   uschar buf[24];
1278   pcre2_config(PCRE2_CONFIG_VERSION, buf);
1279   g = string_fmt_append(g, "Library version: PCRE2: Compile: %d.%d%s\n"
1280               "                        Runtime: %s\n",
1281           PCRE2_MAJOR, PCRE2_MINOR,
1282           EXPAND_AND_QUOTE(PCRE2_PRERELEASE) "",
1283           buf);
1284   }
1285 #undef QUOTE
1286 #undef EXPAND_AND_QUOTE
1287
1288 show_string(is_stdout, g);
1289 g = NULL;
1290
1291 init_lookup_list();
1292 for (int i = 0; i < lookup_list_count; i++)
1293   if (lookup_list[i]->version_report)
1294     g = lookup_list[i]->version_report(g);
1295 show_string(is_stdout, g);
1296 g = NULL;
1297
1298 #ifdef WHITELIST_D_MACROS
1299   g = string_fmt_append(g, "WHITELIST_D_MACROS: \"%s\"\n", WHITELIST_D_MACROS);
1300 #else
1301   g = string_cat(g, US"WHITELIST_D_MACROS unset\n");
1302 #endif
1303 #ifdef TRUSTED_CONFIG_LIST
1304   g = string_fmt_append(g, "TRUSTED_CONFIG_LIST: \"%s\"\n", TRUSTED_CONFIG_LIST);
1305 #else
1306   g = string_cat(g, US"TRUSTED_CONFIG_LIST unset\n");
1307 #endif
1308   }
1309
1310 show_string(is_stdout, g);
1311 store_reset(reset_point);
1312 }
1313
1314
1315 /*************************************************
1316 *     Show auxiliary information about Exim      *
1317 *************************************************/
1318
1319 static void
1320 show_exim_information(enum commandline_info request, FILE *stream)
1321 {
1322 switch(request)
1323   {
1324   case CMDINFO_NONE:
1325     fprintf(stream, "Oops, something went wrong.\n");
1326     return;
1327   case CMDINFO_HELP:
1328     fprintf(stream,
1329 "The -bI: flag takes a string indicating which information to provide.\n"
1330 "If the string is not recognised, you'll get this help (on stderr).\n"
1331 "\n"
1332 "  exim -bI:help    this information\n"
1333 "  exim -bI:dscp    list of known dscp value keywords\n"
1334 "  exim -bI:sieve   list of supported sieve extensions\n"
1335 );
1336     return;
1337   case CMDINFO_SIEVE:
1338     for (const uschar ** pp = exim_sieve_extension_list; *pp; ++pp)
1339       fprintf(stream, "%s\n", *pp);
1340     return;
1341   case CMDINFO_DSCP:
1342     dscp_list_to_stream(stream);
1343     return;
1344   }
1345 }
1346
1347
1348 /*************************************************
1349 *               Quote a local part               *
1350 *************************************************/
1351
1352 /* This function is used when a sender address or a From: or Sender: header
1353 line is being created from the caller's login, or from an authenticated_id. It
1354 applies appropriate quoting rules for a local part.
1355
1356 Argument:    the local part
1357 Returns:     the local part, quoted if necessary
1358 */
1359
1360 uschar *
1361 local_part_quote(uschar *lpart)
1362 {
1363 BOOL needs_quote = FALSE;
1364 gstring * g;
1365
1366 for (uschar * t = lpart; !needs_quote && *t != 0; t++)
1367   {
1368   needs_quote = !isalnum(*t) && strchr("!#$%&'*+-/=?^_`{|}~", *t) == NULL &&
1369     (*t != '.' || t == lpart || t[1] == 0);
1370   }
1371
1372 if (!needs_quote) return lpart;
1373
1374 g = string_catn(NULL, US"\"", 1);
1375
1376 for (;;)
1377   {
1378   uschar *nq = US Ustrpbrk(lpart, "\\\"");
1379   if (nq == NULL)
1380     {
1381     g = string_cat(g, lpart);
1382     break;
1383     }
1384   g = string_catn(g, lpart, nq - lpart);
1385   g = string_catn(g, US"\\", 1);
1386   g = string_catn(g, nq, 1);
1387   lpart = nq + 1;
1388   }
1389
1390 g = string_catn(g, US"\"", 1);
1391 return string_from_gstring(g);
1392 }
1393
1394
1395
1396 #ifdef USE_READLINE
1397 /*************************************************
1398 *         Load readline() functions              *
1399 *************************************************/
1400
1401 /* This function is called from testing executions that read data from stdin,
1402 but only when running as the calling user. Currently, only -be does this. The
1403 function loads the readline() function library and passes back the functions.
1404 On some systems, it needs the curses library, so load that too, but try without
1405 it if loading fails. All this functionality has to be requested at build time.
1406
1407 Arguments:
1408   fn_readline_ptr   pointer to where to put the readline pointer
1409   fn_addhist_ptr    pointer to where to put the addhistory function
1410
1411 Returns:            the dlopen handle or NULL on failure
1412 */
1413
1414 static void *
1415 set_readline(char * (**fn_readline_ptr)(const char *),
1416              void   (**fn_addhist_ptr)(const char *))
1417 {
1418 void *dlhandle;
1419 void *dlhandle_curses = dlopen("libcurses." DYNLIB_FN_EXT, RTLD_GLOBAL|RTLD_LAZY);
1420
1421 dlhandle = dlopen("libreadline." DYNLIB_FN_EXT, RTLD_GLOBAL|RTLD_NOW);
1422 if (dlhandle_curses) dlclose(dlhandle_curses);
1423
1424 if (dlhandle)
1425   {
1426   /* Checked manual pages; at least in GNU Readline 6.1, the prototypes are:
1427    *   char * readline (const char *prompt);
1428    *   void add_history (const char *string);
1429    */
1430   *fn_readline_ptr = (char *(*)(const char*))dlsym(dlhandle, "readline");
1431   *fn_addhist_ptr = (void(*)(const char*))dlsym(dlhandle, "add_history");
1432   }
1433 else
1434   DEBUG(D_any) debug_printf("failed to load readline: %s\n", dlerror());
1435
1436 return dlhandle;
1437 }
1438 #endif
1439
1440
1441
1442 /*************************************************
1443 *    Get a line from stdin for testing things    *
1444 *************************************************/
1445
1446 /* This function is called when running tests that can take a number of lines
1447 of input (for example, -be and -bt). It handles continuations and trailing
1448 spaces. And prompting and a blank line output on eof. If readline() is in use,
1449 the arguments are non-NULL and provide the relevant functions.
1450
1451 Arguments:
1452   fn_readline   readline function or NULL
1453   fn_addhist    addhist function or NULL
1454
1455 Returns:        pointer to dynamic memory, or NULL at end of file
1456 */
1457
1458 static uschar *
1459 get_stdinput(char *(*fn_readline)(const char *), void(*fn_addhist)(const char *))
1460 {
1461 gstring * g = NULL;
1462 BOOL had_input = FALSE;
1463
1464 if (!fn_readline) { printf("> "); fflush(stdout); }
1465
1466 for (int i = 0;; i++)
1467   {
1468   uschar buffer[1024];
1469   uschar * p, * ss;
1470
1471 #ifdef USE_READLINE
1472   char *readline_line = NULL;
1473   if (fn_readline)
1474     {
1475     if (!(readline_line = fn_readline((i > 0)? "":"> "))) break;
1476     if (*readline_line && fn_addhist) fn_addhist(readline_line);
1477     p = US readline_line;
1478     }
1479   else
1480 #endif
1481
1482   /* readline() not in use */
1483
1484     {
1485     if (Ufgets(buffer, sizeof(buffer), stdin) == NULL) break;   /*EOF*/
1486     p = buffer;
1487     }
1488
1489   /* Handle the line */
1490
1491   had_input = TRUE;
1492   ss = p + Ustrlen(p);
1493   while (ss > p && isspace(ss[-1])) ss--; /* strip trailing newline (and spaces) */
1494
1495   if (i > 0)
1496     while (p < ss && isspace(*p)) p++;   /* strip leading space after cont */
1497
1498   g = string_catn(g, p, ss - p);
1499
1500 #ifdef USE_READLINE
1501   if (fn_readline) free(readline_line);
1502 #endif
1503
1504   /* g can only be NULL if ss==p */
1505   if (ss == p || g->s[g->ptr-1] != '\\') /* not continuation; done */
1506     break;
1507
1508   --g->ptr;                             /* drop the \ */
1509   }
1510
1511 if (had_input) return g ? string_from_gstring(g) : US"";
1512 printf("\n");
1513 return NULL;
1514 }
1515
1516
1517
1518 /*************************************************
1519 *    Output usage information for the program    *
1520 *************************************************/
1521
1522 /* This function is called when there are no recipients
1523    or a specific --help argument was added.
1524
1525 Arguments:
1526   progname      information on what name we were called by
1527
1528 Returns:        DOES NOT RETURN
1529 */
1530
1531 static void
1532 exim_usage(uschar *progname)
1533 {
1534
1535 /* Handle specific program invocation variants */
1536 if (Ustrcmp(progname, US"-mailq") == 0)
1537   exim_fail(
1538     "mailq - list the contents of the mail queue\n\n"
1539     "For a list of options, see the Exim documentation.\n");
1540
1541 /* Generic usage - we output this whatever happens */
1542 exim_fail(
1543   "Exim is a Mail Transfer Agent. It is normally called by Mail User Agents,\n"
1544   "not directly from a shell command line. Options and/or arguments control\n"
1545   "what it does when called. For a list of options, see the Exim documentation.\n");
1546 }
1547
1548
1549
1550 /*************************************************
1551 *    Validate that the macros given are okay     *
1552 *************************************************/
1553
1554 /* Typically, Exim will drop privileges if macros are supplied.  In some
1555 cases, we want to not do so.
1556
1557 Arguments:    opt_D_used - true if the commandline had a "-D" option
1558 Returns:      true if trusted, false otherwise
1559 */
1560
1561 static BOOL
1562 macros_trusted(BOOL opt_D_used)
1563 {
1564 #ifdef WHITELIST_D_MACROS
1565 uschar *whitelisted, *end, *p, **whites;
1566 int white_count, i, n;
1567 size_t len;
1568 BOOL prev_char_item, found;
1569 #endif
1570
1571 if (!opt_D_used)
1572   return TRUE;
1573 #ifndef WHITELIST_D_MACROS
1574 return FALSE;
1575 #else
1576
1577 /* We only trust -D overrides for some invoking users:
1578 root, the exim run-time user, the optional config owner user.
1579 I don't know why config-owner would be needed, but since they can own the
1580 config files anyway, there's no security risk to letting them override -D. */
1581 if ( ! ((real_uid == root_uid)
1582      || (real_uid == exim_uid)
1583 #ifdef CONFIGURE_OWNER
1584      || (real_uid == config_uid)
1585 #endif
1586    ))
1587   {
1588   debug_printf("macros_trusted rejecting macros for uid %d\n", (int) real_uid);
1589   return FALSE;
1590   }
1591
1592 /* Get a list of macros which are whitelisted */
1593 whitelisted = string_copy_perm(US WHITELIST_D_MACROS, FALSE);
1594 prev_char_item = FALSE;
1595 white_count = 0;
1596 for (p = whitelisted; *p != '\0'; ++p)
1597   {
1598   if (*p == ':' || isspace(*p))
1599     {
1600     *p = '\0';
1601     if (prev_char_item)
1602       ++white_count;
1603     prev_char_item = FALSE;
1604     continue;
1605     }
1606   if (!prev_char_item)
1607     prev_char_item = TRUE;
1608   }
1609 end = p;
1610 if (prev_char_item)
1611   ++white_count;
1612 if (!white_count)
1613   return FALSE;
1614 whites = store_malloc(sizeof(uschar *) * (white_count+1));
1615 for (p = whitelisted, i = 0; (p != end) && (i < white_count); ++p)
1616   {
1617   if (*p != '\0')
1618     {
1619     whites[i++] = p;
1620     if (i == white_count)
1621       break;
1622     while (*p != '\0' && p < end)
1623       ++p;
1624     }
1625   }
1626 whites[i] = NULL;
1627
1628 /* The list of commandline macros should be very short.
1629 Accept the N*M complexity. */
1630 for (macro_item * m = macros_user; m; m = m->next) if (m->command_line)
1631   {
1632   found = FALSE;
1633   for (uschar ** w = whites; *w; ++w)
1634     if (Ustrcmp(*w, m->name) == 0)
1635       {
1636       found = TRUE;
1637       break;
1638       }
1639   if (!found)
1640     return FALSE;
1641   if (!m->replacement)
1642     continue;
1643   if ((len = m->replen) == 0)
1644     continue;
1645   if (!regex_match(regex_whitelisted_macro, m->replacement, len, NULL))
1646     return FALSE;
1647   }
1648 DEBUG(D_any) debug_printf("macros_trusted overridden to true by whitelisting\n");
1649 return TRUE;
1650 #endif
1651 }
1652
1653
1654 /*************************************************
1655 *          Expansion testing                     *
1656 *************************************************/
1657
1658 /* Expand and print one item, doing macro-processing.
1659
1660 Arguments:
1661   item          line for expansion
1662 */
1663
1664 static void
1665 expansion_test_line(const uschar * line)
1666 {
1667 int len;
1668 BOOL dummy_macexp;
1669 uschar * s;
1670
1671 Ustrncpy(big_buffer, line, big_buffer_size);
1672 big_buffer[big_buffer_size-1] = '\0';
1673 len = Ustrlen(big_buffer);
1674
1675 (void) macros_expand(0, &len, &dummy_macexp);
1676
1677 if (isupper(big_buffer[0]))
1678   {
1679   if (macro_read_assignment(big_buffer))
1680     printf("Defined macro '%s'\n", mlast->name);
1681   }
1682 else if (Ustrncmp(big_buffer, "set ", 4) == 0)
1683   printf("%s\n", acl_standalone_setvar(big_buffer+4));
1684 else
1685   if ((s = expand_string(big_buffer))) printf("%s\n", CS s);
1686   else printf("Failed: %s\n", expand_string_message);
1687 }
1688
1689
1690
1691 /*************************************************
1692 *          Entry point and high-level code       *
1693 *************************************************/
1694
1695 /* Entry point for the Exim mailer. Analyse the arguments and arrange to take
1696 the appropriate action. All the necessary functions are present in the one
1697 binary. I originally thought one should split it up, but it turns out that so
1698 much of the apparatus is needed in each chunk that one might as well just have
1699 it all available all the time, which then makes the coding easier as well.
1700
1701 Arguments:
1702   argc      count of entries in argv
1703   argv      argument strings, with argv[0] being the program name
1704
1705 Returns:    EXIT_SUCCESS if terminated successfully
1706             EXIT_FAILURE otherwise, except when a message has been sent
1707               to the sender, and -oee was given
1708 */
1709
1710 int
1711 main(int argc, char **cargv)
1712 {
1713 uschar **argv = USS cargv;
1714 int  arg_receive_timeout = -1;
1715 int  arg_smtp_receive_timeout = -1;
1716 int  arg_error_handling = error_handling;
1717 int  filter_sfd = -1;
1718 int  filter_ufd = -1;
1719 int  group_count;
1720 int  i, rv;
1721 int  list_queue_option = 0;
1722 int  msg_action = 0;
1723 int  msg_action_arg = -1;
1724 int  namelen = argv[0] ? Ustrlen(argv[0]) : 0;
1725 int  queue_only_reason = 0;
1726 #ifdef EXIM_PERL
1727 int  perl_start_option = 0;
1728 #endif
1729 int  recipients_arg = argc;
1730 int  sender_address_domain = 0;
1731 int  test_retry_arg = -1;
1732 int  test_rewrite_arg = -1;
1733 gid_t original_egid;
1734 BOOL arg_queue_only = FALSE;
1735 BOOL bi_option = FALSE;
1736 BOOL checking = FALSE;
1737 BOOL count_queue = FALSE;
1738 BOOL expansion_test = FALSE;
1739 BOOL extract_recipients = FALSE;
1740 BOOL flag_G = FALSE;
1741 BOOL flag_n = FALSE;
1742 BOOL forced_delivery = FALSE;
1743 BOOL f_end_dot = FALSE;
1744 BOOL deliver_give_up = FALSE;
1745 BOOL list_queue = FALSE;
1746 BOOL list_options = FALSE;
1747 BOOL list_config = FALSE;
1748 BOOL local_queue_only;
1749 BOOL one_msg_action = FALSE;
1750 BOOL opt_D_used = FALSE;
1751 BOOL queue_only_set = FALSE;
1752 BOOL receiving_message = TRUE;
1753 BOOL sender_ident_set = FALSE;
1754 BOOL session_local_queue_only;
1755 BOOL unprivileged;
1756 BOOL removed_privilege = FALSE;
1757 BOOL usage_wanted = FALSE;
1758 BOOL verify_address_mode = FALSE;
1759 BOOL verify_as_sender = FALSE;
1760 BOOL rcpt_verify_quota = FALSE;
1761 BOOL version_printed = FALSE;
1762 uschar *alias_arg = NULL;
1763 uschar *called_as = US"";
1764 uschar *cmdline_syslog_name = NULL;
1765 uschar *start_queue_run_id = NULL;
1766 uschar *stop_queue_run_id = NULL;
1767 uschar *expansion_test_message = NULL;
1768 const uschar *ftest_domain = NULL;
1769 const uschar *ftest_localpart = NULL;
1770 const uschar *ftest_prefix = NULL;
1771 const uschar *ftest_suffix = NULL;
1772 uschar *log_oneline = NULL;
1773 uschar *malware_test_file = NULL;
1774 uschar *real_sender_address;
1775 uschar *originator_home = US"/";
1776 size_t sz;
1777
1778 struct passwd *pw;
1779 struct stat statbuf;
1780 pid_t passed_qr_pid = (pid_t)0;
1781 int passed_qr_pipe = -1;
1782 gid_t group_list[EXIM_GROUPLIST_SIZE];
1783
1784 /* For the -bI: flag */
1785 enum commandline_info info_flag = CMDINFO_NONE;
1786 BOOL info_stdout = FALSE;
1787
1788 /* Possible options for -R and -S */
1789
1790 static uschar *rsopts[] = { US"f", US"ff", US"r", US"rf", US"rff" };
1791
1792 /* Need to define this in case we need to change the environment in order
1793 to get rid of a bogus time zone. We have to make it char rather than uschar
1794 because some OS define it in /usr/include/unistd.h. */
1795
1796 extern char **environ;
1797
1798 #ifdef MEASURE_TIMING
1799 (void)gettimeofday(&timestamp_startup, NULL);
1800 #endif
1801
1802 store_init();   /* Initialise the memory allocation susbsystem */
1803 pcre_init();    /* Set up memory handling for pcre */
1804
1805 /* If the Exim user and/or group and/or the configuration file owner/group were
1806 defined by ref:name at build time, we must now find the actual uid/gid values.
1807 This is a feature to make the lives of binary distributors easier. */
1808
1809 #ifdef EXIM_USERNAME
1810 if (route_finduser(US EXIM_USERNAME, &pw, &exim_uid))
1811   {
1812   if (exim_uid == 0)
1813     exim_fail("exim: refusing to run with uid 0 for \"%s\"\n", EXIM_USERNAME);
1814
1815   /* If ref:name uses a number as the name, route_finduser() returns
1816   TRUE with exim_uid set and pw coerced to NULL. */
1817   if (pw)
1818     exim_gid = pw->pw_gid;
1819 #ifndef EXIM_GROUPNAME
1820   else
1821     exim_fail(
1822         "exim: ref:name should specify a usercode, not a group.\n"
1823         "exim: can't let you get away with it unless you also specify a group.\n");
1824 #endif
1825   }
1826 else
1827   exim_fail("exim: failed to find uid for user name \"%s\"\n", EXIM_USERNAME);
1828 #endif
1829
1830 #ifdef EXIM_GROUPNAME
1831 if (!route_findgroup(US EXIM_GROUPNAME, &exim_gid))
1832   exim_fail("exim: failed to find gid for group name \"%s\"\n", EXIM_GROUPNAME);
1833 #endif
1834
1835 #ifdef CONFIGURE_OWNERNAME
1836 if (!route_finduser(US CONFIGURE_OWNERNAME, NULL, &config_uid))
1837   exim_fail("exim: failed to find uid for user name \"%s\"\n",
1838     CONFIGURE_OWNERNAME);
1839 #endif
1840
1841 /* We default the system_filter_user to be the Exim run-time user, as a
1842 sane non-root value. */
1843 system_filter_uid = exim_uid;
1844
1845 #ifdef CONFIGURE_GROUPNAME
1846 if (!route_findgroup(US CONFIGURE_GROUPNAME, &config_gid))
1847   exim_fail("exim: failed to find gid for group name \"%s\"\n",
1848     CONFIGURE_GROUPNAME);
1849 #endif
1850
1851 /* In the Cygwin environment, some initialization used to need doing.
1852 It was fudged in by means of this macro; now no longer but we'll leave
1853 it in case of others. */
1854
1855 #ifdef OS_INIT
1856 OS_INIT
1857 #endif
1858
1859 /* Check a field which is patched when we are running Exim within its
1860 testing harness; do a fast initial check, and then the whole thing. */
1861
1862 f.running_in_test_harness =
1863   *running_status == '<' && Ustrcmp(running_status, "<<<testing>>>") == 0;
1864 if (f.running_in_test_harness)
1865   debug_store = TRUE;
1866
1867 /* Protect against abusive argv[0] */
1868 if (!argv[0] || !argc) exim_fail("exim: executable name required\n");
1869 exim_str_fail_toolong(argv[0], PATH_MAX, "argv[0]");
1870
1871 /* The C standard says that the equivalent of setlocale(LC_ALL, "C") is obeyed
1872 at the start of a program; however, it seems that some environments do not
1873 follow this. A "strange" locale can affect the formatting of timestamps, so we
1874 make quite sure. */
1875
1876 setlocale(LC_ALL, "C");
1877
1878 /* Get the offset between CLOCK_MONOTONIC/CLOCK_BOOTTIME and wallclock */
1879
1880 #ifdef _POSIX_MONOTONIC_CLOCK
1881 exim_clock_init();
1882 #endif
1883
1884 /* Set up the default handler for timing using alarm(). */
1885
1886 os_non_restarting_signal(SIGALRM, sigalrm_handler);
1887
1888 /* Ensure we have a buffer for constructing log entries. Use malloc directly,
1889 because store_malloc writes a log entry on failure. */
1890
1891 if (!(log_buffer = US malloc(LOG_BUFFER_SIZE)))
1892   exim_fail("exim: failed to get store for log buffer\n");
1893
1894 /* Initialize the default log options. */
1895
1896 bits_set(log_selector, log_selector_size, log_default);
1897
1898 /* Set log_stderr to stderr, provided that stderr exists. This gets reset to
1899 NULL when the daemon is run and the file is closed. We have to use this
1900 indirection, because some systems don't allow writing to the variable "stderr".
1901 */
1902
1903 if (fstat(fileno(stderr), &statbuf) >= 0) log_stderr = stderr;
1904
1905 /* Ensure there is a big buffer for temporary use in several places. It is put
1906 in malloc store so that it can be freed for enlargement if necessary. */
1907
1908 big_buffer = store_malloc(big_buffer_size);
1909
1910 /* Set up the handler for the data request signal, and set the initial
1911 descriptive text. */
1912
1913 process_info = store_get(PROCESS_INFO_SIZE, GET_TAINTED);
1914 set_process_info("initializing");
1915 os_restarting_signal(SIGUSR1, usr1_handler);            /* exiwhat */
1916 #ifdef SA_SIGINFO
1917   {
1918   struct sigaction act = { .sa_sigaction = segv_handler, .sa_flags = SA_RESETHAND | SA_SIGINFO };
1919   sigaction(SIGSEGV, &act, NULL);
1920   }
1921 #else
1922 signal(SIGSEGV, segv_handler);                          /* log faults */
1923 #endif
1924
1925 /* If running in a dockerized environment, the TERM signal is only
1926 delegated to the PID 1 if we request it by setting an signal handler */
1927 if (getpid() == 1) signal(SIGTERM, term_handler);
1928
1929 /* SIGHUP is used to get the daemon to reconfigure. It gets set as appropriate
1930 in the daemon code. For the rest of Exim's uses, we ignore it. */
1931
1932 signal(SIGHUP, SIG_IGN);
1933
1934 /* We don't want to die on pipe errors as the code is written to handle
1935 the write error instead. */
1936
1937 signal(SIGPIPE, SIG_IGN);
1938
1939 /* Under some circumstance on some OS, Exim can get called with SIGCHLD
1940 set to SIG_IGN. This causes subprocesses that complete before the parent
1941 process waits for them not to hang around, so when Exim calls wait(), nothing
1942 is there. The wait() code has been made robust against this, but let's ensure
1943 that SIGCHLD is set to SIG_DFL, because it's tidier to wait and get a process
1944 ending status. We use sigaction rather than plain signal() on those OS where
1945 SA_NOCLDWAIT exists, because we want to be sure it is turned off. (There was a
1946 problem on AIX with this.) */
1947
1948 #ifdef SA_NOCLDWAIT
1949   {
1950   struct sigaction act;
1951   act.sa_handler = SIG_DFL;
1952   sigemptyset(&(act.sa_mask));
1953   act.sa_flags = 0;
1954   sigaction(SIGCHLD, &act, NULL);
1955   }
1956 #else
1957 signal(SIGCHLD, SIG_DFL);
1958 #endif
1959
1960 /* Save the arguments for use if we re-exec exim as a daemon after receiving
1961 SIGHUP. */
1962
1963 sighup_argv = argv;
1964
1965 /* Set up the version number. Set up the leading 'E' for the external form of
1966 message ids, set the pointer to the internal form, and initialize it to
1967 indicate no message being processed. */
1968
1969 version_init();
1970 message_id_option[0] = '-';
1971 message_id_external = message_id_option + 1;
1972 message_id_external[0] = 'E';
1973 message_id = message_id_external + 1;
1974 message_id[0] = 0;
1975
1976 /* Set the umask to zero so that any files Exim creates using open() are
1977 created with the modes that it specifies. NOTE: Files created with fopen() have
1978 a problem, which was not recognized till rather late (February 2006). With this
1979 umask, such files will be world writeable. (They are all content scanning files
1980 in the spool directory, which isn't world-accessible, so this is not a
1981 disaster, but it's untidy.) I don't want to change this overall setting,
1982 however, because it will interact badly with the open() calls. Instead, there's
1983 now a function called modefopen() that fiddles with the umask while calling
1984 fopen(). */
1985
1986 (void)umask(0);
1987
1988 /* Precompile the regular expression for matching a message id. Keep this in
1989 step with the code that generates ids in the accept.c module. We need to do
1990 this here, because the -M options check their arguments for syntactic validity
1991 using mac_ismsgid, which uses this. */
1992
1993 regex_ismsgid =
1994   regex_must_compile(US"^(?:[^\\W_]{6}-){2}[^\\W_]{2}$", MCS_NOFLAGS, TRUE);
1995
1996 /* Precompile the regular expression that is used for matching an SMTP error
1997 code, possibly extended, at the start of an error message. Note that the
1998 terminating whitespace character is included. */
1999
2000 regex_smtp_code =
2001   regex_must_compile(US"^\\d\\d\\d\\s(?:\\d\\.\\d\\d?\\d?\\.\\d\\d?\\d?\\s)?",
2002     MCS_NOFLAGS, TRUE);
2003
2004 #ifdef WHITELIST_D_MACROS
2005 /* Precompile the regular expression used to filter the content of macros
2006 given to -D for permissibility. */
2007
2008 regex_whitelisted_macro =
2009   regex_must_compile(US"^[A-Za-z0-9_/.-]*$", MCS_NOFLAGS, TRUE);
2010 #endif
2011
2012 /* If the program is called as "mailq" treat it as equivalent to "exim -bp";
2013 this seems to be a generally accepted convention, since one finds symbolic
2014 links called "mailq" in standard OS configurations. */
2015
2016 if ((namelen == 5 && Ustrcmp(argv[0], "mailq") == 0) ||
2017     (namelen  > 5 && Ustrncmp(argv[0] + namelen - 6, "/mailq", 6) == 0))
2018   {
2019   list_queue = TRUE;
2020   receiving_message = FALSE;
2021   called_as = US"-mailq";
2022   }
2023
2024 /* If the program is called as "rmail" treat it as equivalent to
2025 "exim -i -oee", thus allowing UUCP messages to be input using non-SMTP mode,
2026 i.e. preventing a single dot on a line from terminating the message, and
2027 returning with zero return code, even in cases of error (provided an error
2028 message has been sent). */
2029
2030 if ((namelen == 5 && Ustrcmp(argv[0], "rmail") == 0) ||
2031     (namelen  > 5 && Ustrncmp(argv[0] + namelen - 6, "/rmail", 6) == 0))
2032   {
2033   f.dot_ends = FALSE;
2034   called_as = US"-rmail";
2035   errors_sender_rc = EXIT_SUCCESS;
2036   }
2037
2038 /* If the program is called as "rsmtp" treat it as equivalent to "exim -bS";
2039 this is a smail convention. */
2040
2041 if ((namelen == 5 && Ustrcmp(argv[0], "rsmtp") == 0) ||
2042     (namelen  > 5 && Ustrncmp(argv[0] + namelen - 6, "/rsmtp", 6) == 0))
2043   {
2044   smtp_input = smtp_batched_input = TRUE;
2045   called_as = US"-rsmtp";
2046   }
2047
2048 /* If the program is called as "runq" treat it as equivalent to "exim -q";
2049 this is a smail convention. */
2050
2051 if ((namelen == 4 && Ustrcmp(argv[0], "runq") == 0) ||
2052     (namelen  > 4 && Ustrncmp(argv[0] + namelen - 5, "/runq", 5) == 0))
2053   {
2054   queue_interval = 0;
2055   receiving_message = FALSE;
2056   called_as = US"-runq";
2057   }
2058
2059 /* If the program is called as "newaliases" treat it as equivalent to
2060 "exim -bi"; this is a sendmail convention. */
2061
2062 if ((namelen == 10 && Ustrcmp(argv[0], "newaliases") == 0) ||
2063     (namelen  > 10 && Ustrncmp(argv[0] + namelen - 11, "/newaliases", 11) == 0))
2064   {
2065   bi_option = TRUE;
2066   receiving_message = FALSE;
2067   called_as = US"-newaliases";
2068   }
2069
2070 /* Save the original effective uid for a couple of uses later. It should
2071 normally be root, but in some esoteric environments it may not be. */
2072
2073 original_euid = geteuid();
2074 original_egid = getegid();
2075
2076 /* Get the real uid and gid. If the caller is root, force the effective uid/gid
2077 to be the same as the real ones. This makes a difference only if Exim is setuid
2078 (or setgid) to something other than root, which could be the case in some
2079 special configurations. */
2080
2081 real_uid = getuid();
2082 real_gid = getgid();
2083
2084 if (real_uid == root_uid)
2085   {
2086   if ((rv = setgid(real_gid)))
2087     exim_fail("exim: setgid(%ld) failed: %s\n",
2088         (long int)real_gid, strerror(errno));
2089   if ((rv = setuid(real_uid)))
2090     exim_fail("exim: setuid(%ld) failed: %s\n",
2091         (long int)real_uid, strerror(errno));
2092   }
2093
2094 /* If neither the original real uid nor the original euid was root, Exim is
2095 running in an unprivileged state. */
2096
2097 unprivileged = (real_uid != root_uid && original_euid != root_uid);
2098
2099 /* For most of the args-parsing we need to use permanent pool memory */
2100  {
2101  int old_pool = store_pool;
2102  store_pool = POOL_PERM;
2103
2104 /* Scan the program's arguments. Some can be dealt with right away; others are
2105 simply recorded for checking and handling afterwards. Do a high-level switch
2106 on the second character (the one after '-'), to save some effort. */
2107
2108  for (i = 1; i < argc; i++)
2109   {
2110   BOOL badarg = FALSE;
2111   uschar * arg = argv[i];
2112   uschar * argrest;
2113   int switchchar;
2114
2115   /* An argument not starting with '-' is the start of a recipients list;
2116   break out of the options-scanning loop. */
2117
2118   if (arg[0] != '-')
2119     {
2120     recipients_arg = i;
2121     break;
2122     }
2123
2124   /* An option consisting of -- terminates the options */
2125
2126   if (Ustrcmp(arg, "--") == 0)
2127     {
2128     recipients_arg = i + 1;
2129     break;
2130     }
2131
2132   /* Handle flagged options */
2133
2134   switchchar = arg[1];
2135   argrest = arg+2;
2136
2137   /* Make all -ex options synonymous with -oex arguments, since that
2138   is assumed by various callers. Also make -qR options synonymous with -R
2139   options, as that seems to be required as well. Allow for -qqR too, and
2140   the same for -S options. */
2141
2142   if (Ustrncmp(arg+1, "oe", 2) == 0 ||
2143       Ustrncmp(arg+1, "qR", 2) == 0 ||
2144       Ustrncmp(arg+1, "qS", 2) == 0)
2145     {
2146     switchchar = arg[2];
2147     argrest++;
2148     }
2149   else if (Ustrncmp(arg+1, "qqR", 3) == 0 || Ustrncmp(arg+1, "qqS", 3) == 0)
2150     {
2151     switchchar = arg[3];
2152     argrest += 2;
2153     f.queue_2stage = TRUE;
2154     }
2155
2156   /* Make -r synonymous with -f, since it is a documented alias */
2157
2158   else if (arg[1] == 'r') switchchar = 'f';
2159
2160   /* Make -ov synonymous with -v */
2161
2162   else if (Ustrcmp(arg, "-ov") == 0)
2163     {
2164     switchchar = 'v';
2165     argrest++;
2166     }
2167
2168   /* deal with --option_aliases */
2169   else if (switchchar == '-')
2170     {
2171     if (Ustrcmp(argrest, "help") == 0)
2172       {
2173       usage_wanted = TRUE;
2174       break;
2175       }
2176     else if (Ustrcmp(argrest, "version") == 0)
2177       {
2178       switchchar = 'b';
2179       argrest = US"V";
2180       }
2181     }
2182
2183   /* High-level switch on active initial letter */
2184
2185   switch(switchchar)
2186     {
2187
2188     /* sendmail uses -Ac and -Am to control which .cf file is used;
2189     we ignore them. */
2190     case 'A':
2191     if (!*argrest) { badarg = TRUE; break; }
2192     else
2193       {
2194       BOOL ignore = FALSE;
2195       switch (*argrest)
2196         {
2197         case 'c':
2198         case 'm':
2199           if (*(argrest + 1) == '\0')
2200             ignore = TRUE;
2201           break;
2202         }
2203       if (!ignore) badarg = TRUE;
2204       }
2205     break;
2206
2207     /* -Btype is a sendmail option for 7bit/8bit setting. Exim is 8-bit clean
2208     so has no need of it. */
2209
2210     case 'B':
2211     if (!*argrest) i++;       /* Skip over the type */
2212     break;
2213
2214
2215     case 'b':
2216       {
2217       receiving_message = FALSE;    /* Reset TRUE for -bm, -bS, -bs below */
2218
2219       switch (*argrest++)
2220         {
2221         /* -bd:  Run in daemon mode, awaiting SMTP connections.
2222            -bdf: Ditto, but in the foreground.
2223         */
2224         case 'd':
2225           f.daemon_listen = f.daemon_scion = TRUE;
2226           if (*argrest == 'f') f.background_daemon = FALSE;
2227           else if (*argrest) badarg = TRUE;
2228           break;
2229
2230         /* -be:  Run in expansion test mode
2231            -bem: Ditto, but read a message from a file first
2232         */
2233         case 'e':
2234           expansion_test = checking = TRUE;
2235           if (*argrest == 'm')
2236             {
2237             if (++i >= argc) { badarg = TRUE; break; }
2238             expansion_test_message = argv[i];
2239             argrest++;
2240             }
2241           if (*argrest) badarg = TRUE;
2242           break;
2243
2244         /* -bF:  Run system filter test */
2245         case 'F':
2246           filter_test |= checking = FTEST_SYSTEM;
2247           if (*argrest) badarg = TRUE;
2248           else if (++i < argc) filter_test_sfile = argv[i];
2249           else exim_fail("exim: file name expected after %s\n", argv[i-1]);
2250           break;
2251
2252         /* -bf:  Run user filter test
2253            -bfd: Set domain for filter testing
2254            -bfl: Set local part for filter testing
2255            -bfp: Set prefix for filter testing
2256            -bfs: Set suffix for filter testing
2257         */
2258         case 'f':
2259           if (!*argrest)
2260             {
2261             filter_test |= checking = FTEST_USER;
2262             if (++i < argc) filter_test_ufile = argv[i];
2263             else exim_fail("exim: file name expected after %s\n", argv[i-1]);
2264             }
2265           else
2266             {
2267             if (++i >= argc)
2268               exim_fail("exim: string expected after %s\n", arg);
2269             if (Ustrcmp(argrest, "d") == 0) ftest_domain = exim_str_fail_toolong(argv[i], EXIM_DOMAINNAME_MAX, "-bfd");
2270             else if (Ustrcmp(argrest, "l") == 0) ftest_localpart = exim_str_fail_toolong(argv[i], EXIM_LOCALPART_MAX, "-bfl");
2271             else if (Ustrcmp(argrest, "p") == 0) ftest_prefix = exim_str_fail_toolong(argv[i], EXIM_LOCALPART_MAX, "-bfp");
2272             else if (Ustrcmp(argrest, "s") == 0) ftest_suffix = exim_str_fail_toolong(argv[i], EXIM_LOCALPART_MAX, "-bfs");
2273             else badarg = TRUE;
2274             }
2275           break;
2276
2277         /* -bh: Host checking - an IP address must follow. */
2278         case 'h':
2279           if (!*argrest || Ustrcmp(argrest, "c") == 0)
2280             {
2281             if (++i >= argc) { badarg = TRUE; break; }
2282             sender_host_address = string_copy_taint(
2283                   exim_str_fail_toolong(argv[i], EXIM_IPADDR_MAX, "-bh"),
2284                   GET_TAINTED);
2285             host_checking = checking = f.log_testing_mode = TRUE;
2286             f.host_checking_callout = *argrest == 'c';
2287             message_logs = FALSE;
2288             }
2289           else badarg = TRUE;
2290           break;
2291
2292         /* -bi: This option is used by sendmail to initialize *the* alias file,
2293         though it has the -oA option to specify a different file. Exim has no
2294         concept of *the* alias file, but since Sun's YP make script calls
2295         sendmail this way, some support must be provided. */
2296         case 'i':
2297           if (!*argrest) bi_option = TRUE;
2298           else badarg = TRUE;
2299           break;
2300
2301         /* -bI: provide information, of the type to follow after a colon.
2302         This is an Exim flag. */
2303         case 'I':
2304           if (Ustrlen(argrest) >= 1 && *argrest == ':')
2305             {
2306             uschar *p = argrest+1;
2307             info_flag = CMDINFO_HELP;
2308             if (Ustrlen(p))
2309               if (strcmpic(p, CUS"sieve") == 0)
2310                 {
2311                 info_flag = CMDINFO_SIEVE;
2312                 info_stdout = TRUE;
2313                 }
2314               else if (strcmpic(p, CUS"dscp") == 0)
2315                 {
2316                 info_flag = CMDINFO_DSCP;
2317                 info_stdout = TRUE;
2318                 }
2319               else if (strcmpic(p, CUS"help") == 0)
2320                 info_stdout = TRUE;
2321             }
2322           else badarg = TRUE;
2323           break;
2324
2325         /* -bm: Accept and deliver message - the default option. Reinstate
2326         receiving_message, which got turned off for all -b options.
2327            -bmalware: test the filename given for malware */
2328         case 'm':
2329           if (!*argrest) receiving_message = TRUE;
2330           else if (Ustrcmp(argrest, "alware") == 0)
2331             {
2332             if (++i >= argc) { badarg = TRUE; break; }
2333             checking = TRUE;
2334             malware_test_file = argv[i];
2335             }
2336           else badarg = TRUE;
2337           break;
2338
2339         /* -bnq: For locally originating messages, do not qualify unqualified
2340         addresses. In the envelope, this causes errors; in header lines they
2341         just get left. */
2342         case 'n':
2343           if (Ustrcmp(argrest, "q") == 0)
2344             {
2345             f.allow_unqualified_sender = FALSE;
2346             f.allow_unqualified_recipient = FALSE;
2347             }
2348           else badarg = TRUE;
2349           break;
2350
2351         /* -bpxx: List the contents of the mail queue, in various forms. If
2352         the option is -bpc, just a queue count is needed. Otherwise, if the
2353         first letter after p is r, then order is random. */
2354         case 'p':
2355           if (*argrest == 'c')
2356             {
2357             count_queue = TRUE;
2358             if (*++argrest) badarg = TRUE;
2359             break;
2360             }
2361
2362           if (*argrest == 'r')
2363             {
2364             list_queue_option = 8;
2365             argrest++;
2366             }
2367           else list_queue_option = 0;
2368
2369           list_queue = TRUE;
2370
2371           /* -bp: List the contents of the mail queue, top-level only */
2372
2373           if (!*argrest) {}
2374
2375           /* -bpu: List the contents of the mail queue, top-level undelivered */
2376
2377           else if (Ustrcmp(argrest, "u") == 0) list_queue_option += 1;
2378
2379           /* -bpa: List the contents of the mail queue, including all delivered */
2380
2381           else if (Ustrcmp(argrest, "a") == 0) list_queue_option += 2;
2382
2383           /* Unknown after -bp[r] */
2384
2385           else badarg = TRUE;
2386           break;
2387
2388
2389         /* -bP: List the configuration variables given as the address list.
2390         Force -v, so configuration errors get displayed. */
2391         case 'P':
2392
2393           /* -bP config: we need to setup here, because later,
2394           when list_options is checked, the config is read already */
2395           if (*argrest)
2396             badarg = TRUE;
2397           else if (argv[i+1] && Ustrcmp(argv[i+1], "config") == 0)
2398             {
2399             list_config = TRUE;
2400             readconf_save_config(version_string);
2401             }
2402           else
2403             {
2404             list_options = TRUE;
2405             debug_selector |= D_v;
2406             debug_file = stderr;
2407             }
2408           break;
2409
2410         /* -brt: Test retry configuration lookup */
2411         case 'r':
2412           if (Ustrcmp(argrest, "t") == 0)
2413             {
2414             checking = TRUE;
2415             test_retry_arg = i + 1;
2416             goto END_ARG;
2417             }
2418
2419           /* -brw: Test rewrite configuration */
2420
2421           else if (Ustrcmp(argrest, "w") == 0)
2422             {
2423             checking = TRUE;
2424             test_rewrite_arg = i + 1;
2425             goto END_ARG;
2426             }
2427           else badarg = TRUE;
2428           break;
2429
2430         /* -bS: Read SMTP commands on standard input, but produce no replies -
2431         all errors are reported by sending messages. */
2432         case 'S':
2433           if (!*argrest)
2434             smtp_input = smtp_batched_input = receiving_message = TRUE;
2435           else badarg = TRUE;
2436           break;
2437
2438         /* -bs: Read SMTP commands on standard input and produce SMTP replies
2439         on standard output. */
2440         case 's':
2441           if (!*argrest) smtp_input = receiving_message = TRUE;
2442           else badarg = TRUE;
2443           break;
2444
2445         /* -bt: address testing mode */
2446         case 't':
2447           if (!*argrest)
2448             f.address_test_mode = checking = f.log_testing_mode = TRUE;
2449           else badarg = TRUE;
2450           break;
2451
2452         /* -bv: verify addresses */
2453         case 'v':
2454           if (!*argrest)
2455             verify_address_mode = checking = f.log_testing_mode = TRUE;
2456
2457         /* -bvs: verify sender addresses */
2458
2459           else if (Ustrcmp(argrest, "s") == 0)
2460             {
2461             verify_address_mode = checking = f.log_testing_mode = TRUE;
2462             verify_as_sender = TRUE;
2463             }
2464           else badarg = TRUE;
2465           break;
2466
2467         /* -bV: Print version string and support details */
2468         case 'V':
2469           if (!*argrest)
2470             {
2471             printf("Exim version %s #%s built %s\n", version_string,
2472               version_cnumber, version_date);
2473             printf("%s\n", CS version_copyright);
2474             version_printed = TRUE;
2475             show_whats_supported(TRUE);
2476             f.log_testing_mode = TRUE;
2477             }
2478           else badarg = TRUE;
2479           break;
2480
2481         /* -bw: inetd wait mode, accept a listening socket as stdin */
2482         case 'w':
2483           f.inetd_wait_mode = TRUE;
2484           f.background_daemon = FALSE;
2485           f.daemon_listen = f.daemon_scion = TRUE;
2486           if (*argrest)
2487             if ((inetd_wait_timeout = readconf_readtime(argrest, 0, FALSE)) <= 0)
2488               exim_fail("exim: bad time value %s: abandoned\n", argv[i]);
2489           break;
2490
2491         default:
2492           badarg = TRUE;
2493           break;
2494         }
2495       break;
2496       }
2497
2498
2499     /* -C: change configuration file list; ignore if it isn't really
2500     a change! Enforce a prefix check if required. */
2501
2502     case 'C':
2503     if (!*argrest)
2504       if (++i < argc) argrest = argv[i]; else { badarg = TRUE; break; }
2505     if (Ustrcmp(config_main_filelist, argrest) != 0)
2506       {
2507       #ifdef ALT_CONFIG_PREFIX
2508       int sep = 0;
2509       int len = Ustrlen(ALT_CONFIG_PREFIX);
2510       const uschar *list = argrest;
2511       uschar *filename;
2512       /* The argv is untainted, so big_buffer (also untainted) is ok to use */
2513       while((filename = string_nextinlist(&list, &sep, big_buffer,
2514              big_buffer_size)))
2515         if (  (  Ustrlen(filename) < len
2516               || Ustrncmp(filename, ALT_CONFIG_PREFIX, len) != 0
2517               || Ustrstr(filename, "/../") != NULL
2518               )
2519            && (Ustrcmp(filename, "/dev/null") != 0 || real_uid != root_uid)
2520            )
2521           exim_fail("-C Permission denied\n");
2522       #endif
2523       if (real_uid != root_uid)
2524         {
2525         #ifdef TRUSTED_CONFIG_LIST
2526
2527         if (real_uid != exim_uid
2528             #ifdef CONFIGURE_OWNER
2529             && real_uid != config_uid
2530             #endif
2531             )
2532           f.trusted_config = FALSE;
2533         else
2534           {
2535           FILE *trust_list = Ufopen(TRUSTED_CONFIG_LIST, "rb");
2536           if (trust_list)
2537             {
2538             struct stat statbuf;
2539
2540             if (fstat(fileno(trust_list), &statbuf) != 0 ||
2541                 (statbuf.st_uid != root_uid        /* owner not root */
2542                  #ifdef CONFIGURE_OWNER
2543                  && statbuf.st_uid != config_uid   /* owner not the special one */
2544                  #endif
2545                    ) ||                            /* or */
2546                 (statbuf.st_gid != root_gid        /* group not root */
2547                  #ifdef CONFIGURE_GROUP
2548                  && statbuf.st_gid != config_gid   /* group not the special one */
2549                  #endif
2550                  && (statbuf.st_mode & 020) != 0   /* group writeable */
2551                    ) ||                            /* or */
2552                 (statbuf.st_mode & 2) != 0)        /* world writeable */
2553               {
2554               f.trusted_config = FALSE;
2555               fclose(trust_list);
2556               }
2557             else
2558               {
2559               /* Well, the trust list at least is up to scratch... */
2560               rmark reset_point;
2561               uschar *trusted_configs[32];
2562               int nr_configs = 0;
2563               int i = 0;
2564               int old_pool = store_pool;
2565               store_pool = POOL_MAIN;
2566
2567               reset_point = store_mark();
2568               while (Ufgets(big_buffer, big_buffer_size, trust_list))
2569                 {
2570                 uschar *start = big_buffer, *nl;
2571                 while (*start && isspace(*start))
2572                 start++;
2573                 if (*start != '/')
2574                   continue;
2575                 nl = Ustrchr(start, '\n');
2576                 if (nl)
2577                   *nl = 0;
2578                 trusted_configs[nr_configs++] = string_copy(start);
2579                 if (nr_configs == nelem(trusted_configs))
2580                   break;
2581                 }
2582               fclose(trust_list);
2583
2584               if (nr_configs)
2585                 {
2586                 int sep = 0;
2587                 const uschar *list = argrest;
2588                 uschar *filename;
2589                 while (f.trusted_config && (filename = string_nextinlist(&list,
2590                         &sep, big_buffer, big_buffer_size)))
2591                   {
2592                   for (i=0; i < nr_configs; i++)
2593                     if (Ustrcmp(filename, trusted_configs[i]) == 0)
2594                       break;
2595                   if (i == nr_configs)
2596                     {
2597                     f.trusted_config = FALSE;
2598                     break;
2599                     }
2600                   }
2601                 }
2602               else      /* No valid prefixes found in trust_list file. */
2603                 f.trusted_config = FALSE;
2604               store_reset(reset_point);
2605               store_pool = old_pool;
2606               }
2607             }
2608           else          /* Could not open trust_list file. */
2609             f.trusted_config = FALSE;
2610           }
2611       #else
2612         /* Not root; don't trust config */
2613         f.trusted_config = FALSE;
2614       #endif
2615         }
2616
2617       config_main_filelist = argrest;
2618       f.config_changed = TRUE;
2619       }
2620     break;
2621
2622
2623     /* -D: set up a macro definition */
2624
2625     case 'D':
2626 #ifdef DISABLE_D_OPTION
2627       exim_fail("exim: -D is not available in this Exim binary\n");
2628 #else
2629       {
2630       int ptr = 0;
2631       macro_item *m;
2632       uschar name[24];
2633       uschar *s = argrest;
2634
2635       opt_D_used = TRUE;
2636       while (isspace(*s)) s++;
2637
2638       if (*s < 'A' || *s > 'Z')
2639         exim_fail("exim: macro name set by -D must start with "
2640           "an upper case letter\n");
2641
2642       while (isalnum(*s) || *s == '_')
2643         {
2644         if (ptr < sizeof(name)-1) name[ptr++] = *s;
2645         s++;
2646         }
2647       name[ptr] = 0;
2648       if (ptr == 0) { badarg = TRUE; break; }
2649       while (isspace(*s)) s++;
2650       if (*s != 0)
2651         {
2652         if (*s++ != '=') { badarg = TRUE; break; }
2653         while (isspace(*s)) s++;
2654         }
2655
2656       for (m = macros_user; m; m = m->next)
2657         if (Ustrcmp(m->name, name) == 0)
2658           exim_fail("exim: duplicated -D in command line\n");
2659
2660       m = macro_create(name, s, TRUE);
2661
2662       if (clmacro_count >= MAX_CLMACROS)
2663         exim_fail("exim: too many -D options on command line\n");
2664       clmacros[clmacro_count++] =
2665         string_sprintf("-D%s=%s", m->name, m->replacement);
2666       }
2667     #endif
2668     break;
2669
2670     case 'd':
2671
2672     /* -dropcr: Set this option.  Now a no-op, retained for compatibility only. */
2673
2674     if (Ustrcmp(argrest, "ropcr") == 0)
2675       {
2676       /* drop_cr = TRUE; */
2677       }
2678
2679     /* -dp: Set up a debug pretrigger buffer with given size. */
2680
2681     else if (Ustrcmp(argrest, "p") == 0)
2682       if (++i >= argc)
2683         badarg = TRUE;
2684       else
2685         debug_pretrigger_setup(argv[i]);
2686
2687     /* -dt: Set a debug trigger selector */
2688
2689     else if (Ustrncmp(argrest, "t=", 2) == 0)
2690       dtrigger_selector = (unsigned int) Ustrtol(argrest + 2, NULL, 0);
2691
2692     /* -d: Set debug level (see also -v below).
2693     If -dd is used, debugging subprocesses of the daemon is disabled. */
2694
2695     else
2696       {
2697       /* Use an intermediate variable so that we don't set debugging while
2698       decoding the debugging bits. */
2699
2700       unsigned int selector = D_default;
2701       debug_selector = 0;
2702       debug_file = NULL;
2703       if (*argrest == 'd')
2704         {
2705         f.debug_daemon = TRUE;
2706         argrest++;
2707         }
2708       if (*argrest)
2709         decode_bits(&selector, 1, debug_notall, argrest,
2710           debug_options, debug_options_count, US"debug", 0);
2711       debug_selector = selector;
2712       }
2713     break;
2714
2715
2716     /* -E: This is a local error message. This option is not intended for
2717     external use at all, but is not restricted to trusted callers because it
2718     does no harm (just suppresses certain error messages) and if Exim is run
2719     not setuid root it won't always be trusted when it generates error
2720     messages using this option. If there is a message id following -E, point
2721     message_reference at it, for logging. */
2722
2723     case 'E':
2724     f.local_error_message = TRUE;
2725     if (mac_ismsgid(argrest)) message_reference = argrest;
2726     break;
2727
2728
2729     /* -ex: The vacation program calls sendmail with the undocumented "-eq"
2730     option, so it looks as if historically the -oex options are also callable
2731     without the leading -o. So we have to accept them. Before the switch,
2732     anything starting -oe has been converted to -e. Exim does not support all
2733     of the sendmail error options. */
2734
2735     case 'e':
2736     if (Ustrcmp(argrest, "e") == 0)
2737       {
2738       arg_error_handling = ERRORS_SENDER;
2739       errors_sender_rc = EXIT_SUCCESS;
2740       }
2741     else if (Ustrcmp(argrest, "m") == 0) arg_error_handling = ERRORS_SENDER;
2742     else if (Ustrcmp(argrest, "p") == 0) arg_error_handling = ERRORS_STDERR;
2743     else if (Ustrcmp(argrest, "q") == 0) arg_error_handling = ERRORS_STDERR;
2744     else if (Ustrcmp(argrest, "w") == 0) arg_error_handling = ERRORS_SENDER;
2745     else badarg = TRUE;
2746     break;
2747
2748
2749     /* -F: Set sender's full name, used instead of the gecos entry from
2750     the password file. Since users can usually alter their gecos entries,
2751     there's no security involved in using this instead. The data can follow
2752     the -F or be in the next argument. */
2753
2754     case 'F':
2755     if (!*argrest)
2756       if (++i < argc) argrest = argv[i]; else { badarg = TRUE; break; }
2757     originator_name = string_copy_taint(
2758                   exim_str_fail_toolong(argrest, EXIM_HUMANNAME_MAX, "-F"),
2759                   GET_TAINTED);
2760     f.sender_name_forced = TRUE;
2761     break;
2762
2763
2764     /* -f: Set sender's address - this value is only actually used if Exim is
2765     run by a trusted user, or if untrusted_set_sender is set and matches the
2766     address, except that the null address can always be set by any user. The
2767     test for this happens later, when the value given here is ignored when not
2768     permitted. For an untrusted user, the actual sender is still put in Sender:
2769     if it doesn't match the From: header (unless no_local_from_check is set).
2770     The data can follow the -f or be in the next argument. The -r switch is an
2771     obsolete form of -f but since there appear to be programs out there that
2772     use anything that sendmail has ever supported, better accept it - the
2773     synonymizing is done before the switch above.
2774
2775     At this stage, we must allow domain literal addresses, because we don't
2776     know what the setting of allow_domain_literals is yet. Ditto for trailing
2777     dots and strip_trailing_dot. */
2778
2779     case 'f':
2780       {
2781       int dummy_start, dummy_end;
2782       uschar *errmess;
2783       if (!*argrest)
2784         if (i+1 < argc) argrest = argv[++i]; else { badarg = TRUE; break; }
2785       (void) exim_str_fail_toolong(argrest, EXIM_DISPLAYMAIL_MAX, "-f");
2786       if (!*argrest)
2787         *(sender_address = store_get(1, GET_UNTAINTED)) = '\0';  /* Ensure writeable memory */
2788       else
2789         {
2790         uschar * temp = argrest + Ustrlen(argrest) - 1;
2791         while (temp >= argrest && isspace(*temp)) temp--;
2792         if (temp >= argrest && *temp == '.') f_end_dot = TRUE;
2793         allow_domain_literals = TRUE;
2794         strip_trailing_dot = TRUE;
2795 #ifdef SUPPORT_I18N
2796         allow_utf8_domains = TRUE;
2797 #endif
2798         if (!(sender_address = parse_extract_address(argrest, &errmess,
2799                   &dummy_start, &dummy_end, &sender_address_domain, TRUE)))
2800           exim_fail("exim: bad -f address \"%s\": %s\n", argrest, errmess);
2801
2802         sender_address = string_copy_taint(sender_address, GET_TAINTED);
2803 #ifdef SUPPORT_I18N
2804         message_smtputf8 =  string_is_utf8(sender_address);
2805         allow_utf8_domains = FALSE;
2806 #endif
2807         allow_domain_literals = FALSE;
2808         strip_trailing_dot = FALSE;
2809         }
2810       f.sender_address_forced = TRUE;
2811       }
2812     break;
2813
2814     /* -G: sendmail invocation to specify that it's a gateway submission and
2815     sendmail may complain about problems instead of fixing them.
2816     We make it equivalent to an ACL "control = suppress_local_fixups" and do
2817     not at this time complain about problems. */
2818
2819     case 'G':
2820     flag_G = TRUE;
2821     break;
2822
2823     /* -h: Set the hop count for an incoming message. Exim does not currently
2824     support this; it always computes it by counting the Received: headers.
2825     To put it in will require a change to the spool header file format. */
2826
2827     case 'h':
2828     if (!*argrest)
2829       if (++i < argc) argrest = argv[i]; else { badarg = TRUE; break; }
2830     if (!isdigit(*argrest)) badarg = TRUE;
2831     break;
2832
2833
2834     /* -i: Set flag so dot doesn't end non-SMTP input (same as -oi, seems
2835     not to be documented for sendmail but mailx (at least) uses it) */
2836
2837     case 'i':
2838     if (!*argrest) f.dot_ends = FALSE; else badarg = TRUE;
2839     break;
2840
2841
2842     /* -L: set the identifier used for syslog; equivalent to setting
2843     syslog_processname in the config file, but needs to be an admin option. */
2844
2845     case 'L':
2846     if (!*argrest)
2847       if (++i < argc) argrest = argv[i]; else { badarg = TRUE; break; }
2848     if ((sz = Ustrlen(argrest)) > 32)
2849       exim_fail("exim: the -L syslog name is too long: \"%s\"\n", argrest);
2850     if (sz < 1)
2851       exim_fail("exim: the -L syslog name is too short\n");
2852     cmdline_syslog_name = string_copy_taint(argrest, GET_TAINTED);
2853     break;
2854
2855     case 'M':
2856     receiving_message = FALSE;
2857
2858     /* -MC:  continue delivery of another message via an existing open
2859     file descriptor. This option is used for an internal call by the
2860     smtp transport when there is a pending message waiting to go to an
2861     address to which it has got a connection. Five subsequent arguments are
2862     required: transport name, host name, IP address, sequence number, and
2863     message_id. Transports may decline to create new processes if the sequence
2864     number gets too big. The channel is stdin. This (-MC) must be the last
2865     argument. There's a subsequent check that the real-uid is privileged.
2866
2867     If we are running in the test harness. delay for a bit, to let the process
2868     that set this one up complete. This makes for repeatability of the logging,
2869     etc. output. */
2870
2871     if (Ustrcmp(argrest, "C") == 0)
2872       {
2873       union sockaddr_46 interface_sock;
2874       EXIM_SOCKLEN_T size = sizeof(interface_sock);
2875
2876       if (argc != i + 6)
2877         exim_fail("exim: too many or too few arguments after -MC\n");
2878
2879       if (msg_action_arg >= 0)
2880         exim_fail("exim: incompatible arguments\n");
2881
2882       continue_transport = string_copy_taint(
2883         exim_str_fail_toolong(argv[++i], EXIM_DRIVERNAME_MAX, "-C internal transport"),
2884         GET_TAINTED);
2885       continue_hostname = string_copy_taint(
2886         exim_str_fail_toolong(argv[++i], EXIM_HOSTNAME_MAX, "-C internal hostname"),
2887         GET_TAINTED);
2888       continue_host_address = string_copy_taint(
2889         exim_str_fail_toolong(argv[++i], EXIM_IPADDR_MAX, "-C internal hostaddr"),
2890         GET_TAINTED);
2891       continue_sequence = Uatoi(argv[++i]);
2892       msg_action = MSG_DELIVER;
2893       msg_action_arg = ++i;
2894       forced_delivery = TRUE;
2895       queue_run_pid = passed_qr_pid;
2896       queue_run_pipe = passed_qr_pipe;
2897
2898       if (!mac_ismsgid(argv[i]))
2899         exim_fail("exim: malformed message id %s after -MC option\n",
2900           argv[i]);
2901
2902       /* Set up $sending_ip_address and $sending_port, unless proxied */
2903
2904       if (!continue_proxy_cipher)
2905         if (getsockname(fileno(stdin), (struct sockaddr *)(&interface_sock),
2906             &size) == 0)
2907           sending_ip_address = host_ntoa(-1, &interface_sock, NULL,
2908             &sending_port);
2909         else
2910           exim_fail("exim: getsockname() failed after -MC option: %s\n",
2911             strerror(errno));
2912
2913       testharness_pause_ms(500);
2914       break;
2915       }
2916
2917     else if (*argrest == 'C' && argrest[1] && !argrest[2])
2918       {
2919       switch(argrest[1])
2920         {
2921     /* -MCA: set the smtp_authenticated flag; this is useful only when it
2922     precedes -MC (see above). The flag indicates that the host to which
2923     Exim is connected has accepted an AUTH sequence. */
2924
2925         case 'A': f.smtp_authenticated = TRUE; break;
2926
2927     /* -MCD: set the smtp_use_dsn flag; this indicates that the host
2928        that exim is connected to supports the esmtp extension DSN */
2929
2930         case 'D': smtp_peer_options |= OPTION_DSN; break;
2931
2932     /* -MCd: for debug, set a process-purpose string */
2933
2934         case 'd': if (++i < argc)
2935                     process_purpose = string_copy_taint(
2936                       exim_str_fail_toolong(argv[i], EXIM_DRIVERNAME_MAX, "-MCd"),
2937                       GET_TAINTED);
2938                   else badarg = TRUE;
2939                   break;
2940
2941     /* -MCG: set the queue name, to a non-default value. Arguably, anything
2942        from the commandline should be tainted - but we will need an untainted
2943        value for the spoolfile when doing a -odi delivery process. */
2944
2945         case 'G': if (++i < argc) queue_name = string_copy_taint(
2946                       exim_str_fail_toolong(argv[i], EXIM_DRIVERNAME_MAX, "-MCG"),
2947                       GET_UNTAINTED);
2948                   else badarg = TRUE;
2949                   break;
2950
2951     /* -MCK: the peer offered CHUNKING.  Must precede -MC */
2952
2953         case 'K': smtp_peer_options |= OPTION_CHUNKING; break;
2954
2955 #ifdef EXPERIMENTAL_ESMTP_LIMITS
2956     /* -MCL: peer used LIMITS RCPTMAX and/or RCPTDOMAINMAX */
2957         case 'L': if (++i < argc) continue_limit_mail = Uatoi(argv[i]);
2958                   else badarg = TRUE;
2959                   if (++i < argc) continue_limit_rcpt = Uatoi(argv[i]);
2960                   else badarg = TRUE;
2961                   if (++i < argc) continue_limit_rcptdom = Uatoi(argv[i]);
2962                   else badarg = TRUE;
2963                   break;
2964 #endif
2965
2966     /* -MCP: set the smtp_use_pipelining flag; this is useful only when
2967     it preceded -MC (see above) */
2968
2969         case 'P': smtp_peer_options |= OPTION_PIPE; break;
2970
2971 #ifdef SUPPORT_SOCKS
2972     /* -MCp: Socks proxy in use; nearside IP, port, external IP, port */
2973         case 'p': proxy_session = TRUE;
2974                   if (++i < argc)
2975                     {
2976                     proxy_local_address = string_copy_taint(argv[i], GET_TAINTED);
2977                     if (++i < argc)
2978                       {
2979                       proxy_local_port = Uatoi(argv[i]);
2980                       if (++i < argc)
2981                         {
2982                         proxy_external_address = string_copy_taint(argv[i], GET_TAINTED);
2983                         if (++i < argc)
2984                           {
2985                           proxy_external_port = Uatoi(argv[i]);
2986                           break;
2987                     } } } }
2988                   badarg = TRUE;
2989                   break;
2990 #endif
2991     /* -MCQ: pass on the pid of the queue-running process that started
2992     this chain of deliveries and the fd of its synchronizing pipe; this
2993     is useful only when it precedes -MC (see above) */
2994
2995         case 'Q': if (++i < argc) passed_qr_pid = (pid_t)(Uatol(argv[i]));
2996                   else badarg = TRUE;
2997                   if (++i < argc) passed_qr_pipe = (int)(Uatol(argv[i]));
2998                   else badarg = TRUE;
2999                   break;
3000
3001     /* -MCq: do a quota check on the given recipient for the given size
3002     of message.  Separate from -MC. */
3003         case 'q': rcpt_verify_quota = TRUE;
3004                   if (++i < argc) message_size = Uatoi(argv[i]);
3005                   else badarg = TRUE;
3006                   break;
3007
3008     /* -MCS: set the smtp_use_size flag; this is useful only when it
3009     precedes -MC (see above) */
3010
3011         case 'S': smtp_peer_options |= OPTION_SIZE; break;
3012
3013 #ifndef DISABLE_TLS
3014     /* -MCs: used with -MCt; SNI was sent */
3015     /* -MCr: ditto, DANE */
3016
3017         case 'r':
3018         case 's': if (++i < argc)
3019                     {
3020                     continue_proxy_sni = string_copy_taint(
3021                       exim_str_fail_toolong(argv[i], EXIM_HOSTNAME_MAX, "-MCr/-MCs"),
3022                       GET_TAINTED);
3023                     if (argrest[1] == 'r') continue_proxy_dane = TRUE;
3024                     }
3025                   else badarg = TRUE;
3026                   break;
3027
3028     /* -MCt: similar to -MCT below but the connection is still open
3029     via a proxy process which handles the TLS context and coding.
3030     Require three arguments for the proxied local address and port,
3031     and the TLS cipher. */
3032
3033         case 't': if (++i < argc)
3034                     sending_ip_address = string_copy_taint(
3035                       exim_str_fail_toolong(argv[i], EXIM_IPADDR_MAX, "-MCt IP"),
3036                       GET_TAINTED);
3037                   else badarg = TRUE;
3038                   if (++i < argc)
3039                     sending_port = (int)(Uatol(argv[i]));
3040                   else badarg = TRUE;
3041                   if (++i < argc)
3042                     continue_proxy_cipher = string_copy_taint(
3043                       exim_str_fail_toolong(argv[i], EXIM_CIPHERNAME_MAX, "-MCt cipher"),
3044                       GET_TAINTED);
3045                   else badarg = TRUE;
3046                   /*FALLTHROUGH*/
3047
3048     /* -MCT: set the tls_offered flag; this is useful only when it
3049     precedes -MC (see above). The flag indicates that the host to which
3050     Exim is connected has offered TLS support. */
3051
3052         case 'T': smtp_peer_options |= OPTION_TLS; break;
3053 #endif
3054
3055         default:  badarg = TRUE; break;
3056         }
3057       break;
3058       }
3059
3060     /* -M[x]: various operations on the following list of message ids:
3061        -M    deliver the messages, ignoring next retry times and thawing
3062        -Mc   deliver the messages, checking next retry times, no thawing
3063        -Mf   freeze the messages
3064        -Mg   give up on the messages
3065        -Mt   thaw the messages
3066        -Mrm  remove the messages
3067     In the above cases, this must be the last option. There are also the
3068     following options which are followed by a single message id, and which
3069     act on that message. Some of them use the "recipient" addresses as well.
3070        -Mar  add recipient(s)
3071        -MG   move to a different queue
3072        -Mmad mark all recipients delivered
3073        -Mmd  mark recipients(s) delivered
3074        -Mes  edit sender
3075        -Mset load a message for use with -be
3076        -Mvb  show body
3077        -Mvc  show copy (of whole message, in RFC 2822 format)
3078        -Mvh  show header
3079        -Mvl  show log
3080     */
3081
3082     else if (!*argrest)
3083       {
3084       msg_action = MSG_DELIVER;
3085       forced_delivery = f.deliver_force_thaw = TRUE;
3086       }
3087     else if (Ustrcmp(argrest, "ar") == 0)
3088       {
3089       msg_action = MSG_ADD_RECIPIENT;
3090       one_msg_action = TRUE;
3091       }
3092     else if (Ustrcmp(argrest, "c") == 0)  msg_action = MSG_DELIVER;
3093     else if (Ustrcmp(argrest, "es") == 0)
3094       {
3095       msg_action = MSG_EDIT_SENDER;
3096       one_msg_action = TRUE;
3097       }
3098     else if (Ustrcmp(argrest, "f") == 0)  msg_action = MSG_FREEZE;
3099     else if (Ustrcmp(argrest, "g") == 0)
3100       {
3101       msg_action = MSG_DELIVER;
3102       deliver_give_up = TRUE;
3103       }
3104    else if (Ustrcmp(argrest, "G") == 0)
3105       {
3106       msg_action = MSG_SETQUEUE;
3107       queue_name_dest = string_copy_taint(
3108         exim_str_fail_toolong(argv[++i], EXIM_DRIVERNAME_MAX, "-MG"),
3109         GET_TAINTED);
3110       }
3111     else if (Ustrcmp(argrest, "mad") == 0) msg_action = MSG_MARK_ALL_DELIVERED;
3112     else if (Ustrcmp(argrest, "md") == 0)
3113       {
3114       msg_action = MSG_MARK_DELIVERED;
3115       one_msg_action = TRUE;
3116       }
3117     else if (Ustrcmp(argrest, "rm") == 0) msg_action = MSG_REMOVE;
3118     else if (Ustrcmp(argrest, "set") == 0)
3119       {
3120       msg_action = MSG_LOAD;
3121       one_msg_action = TRUE;
3122       }
3123     else if (Ustrcmp(argrest, "t") == 0)  msg_action = MSG_THAW;
3124     else if (Ustrcmp(argrest, "vb") == 0)
3125       {
3126       msg_action = MSG_SHOW_BODY;
3127       one_msg_action = TRUE;
3128       }
3129     else if (Ustrcmp(argrest, "vc") == 0)
3130       {
3131       msg_action = MSG_SHOW_COPY;
3132       one_msg_action = TRUE;
3133       }
3134     else if (Ustrcmp(argrest, "vh") == 0)
3135       {
3136       msg_action = MSG_SHOW_HEADER;
3137       one_msg_action = TRUE;
3138       }
3139     else if (Ustrcmp(argrest, "vl") == 0)
3140       {
3141       msg_action = MSG_SHOW_LOG;
3142       one_msg_action = TRUE;
3143       }
3144     else { badarg = TRUE; break; }
3145
3146     /* All the -Mxx options require at least one message id. */
3147
3148     msg_action_arg = i + 1;
3149     if (msg_action_arg >= argc)
3150       exim_fail("exim: no message ids given after %s option\n", arg);
3151
3152     /* Some require only message ids to follow */
3153
3154     if (!one_msg_action)
3155       {
3156       for (int j = msg_action_arg; j < argc; j++) if (!mac_ismsgid(argv[j]))
3157         exim_fail("exim: malformed message id %s after %s option\n",
3158           argv[j], arg);
3159       goto END_ARG;   /* Remaining args are ids */
3160       }
3161
3162     /* Others require only one message id, possibly followed by addresses,
3163     which will be handled as normal arguments. */
3164
3165     else
3166       {
3167       if (!mac_ismsgid(argv[msg_action_arg]))
3168         exim_fail("exim: malformed message id %s after %s option\n",
3169           argv[msg_action_arg], arg);
3170       i++;
3171       }
3172     break;
3173
3174
3175     /* Some programs seem to call the -om option without the leading o;
3176     for sendmail it askes for "me too". Exim always does this. */
3177
3178     case 'm':
3179     if (*argrest) badarg = TRUE;
3180     break;
3181
3182
3183     /* -N: don't do delivery - a debugging option that stops transports doing
3184     their thing. It implies debugging at the D_v level. */
3185
3186     case 'N':
3187     if (!*argrest)
3188       {
3189       f.dont_deliver = TRUE;
3190       debug_selector |= D_v;
3191       debug_file = stderr;
3192       }
3193     else badarg = TRUE;
3194     break;
3195
3196
3197     /* -n: This means "don't alias" in sendmail, apparently.
3198     For normal invocations, it has no effect.
3199     It may affect some other options. */
3200
3201     case 'n':
3202     flag_n = TRUE;
3203     break;
3204
3205     /* -O: Just ignore it. In sendmail, apparently -O option=value means set
3206     option to the specified value. This form uses long names. We need to handle
3207     -O option=value and -Ooption=value. */
3208
3209     case 'O':
3210     if (!*argrest)
3211       if (++i >= argc)
3212         exim_fail("exim: string expected after -O\n");
3213     break;
3214
3215     case 'o':
3216     switch (*argrest++)
3217       {
3218       /* -oA: Set an argument for the bi command (sendmail's "alternate alias
3219       file" option). */
3220       case 'A':
3221         if (!*(alias_arg = argrest))
3222           if (i+1 < argc) alias_arg = argv[++i];
3223           else exim_fail("exim: string expected after -oA\n");
3224         break;
3225
3226       /* -oB: Set a connection message max value for remote deliveries */
3227       case 'B':
3228         {
3229         uschar * p = argrest;
3230         if (!*p)
3231           if (i+1 < argc && isdigit((argv[i+1][0])))
3232             p = argv[++i];
3233           else
3234             {
3235             connection_max_messages = 1;
3236             p = NULL;
3237             }
3238
3239         if (p)
3240           {
3241           if (!isdigit(*p))
3242             exim_fail("exim: number expected after -oB\n");
3243           connection_max_messages = Uatoi(p);
3244           }
3245         }
3246         break;
3247
3248       /* -odb: background delivery */
3249
3250       case 'd':
3251         if (Ustrcmp(argrest, "b") == 0)
3252           {
3253           f.synchronous_delivery = FALSE;
3254           arg_queue_only = FALSE;
3255           queue_only_set = TRUE;
3256           }
3257
3258       /* -odd: testsuite-only: add no inter-process delays */
3259
3260         else if (Ustrcmp(argrest, "d") == 0)
3261           f.testsuite_delays = FALSE;
3262
3263       /* -odf: foreground delivery (smail-compatible option); same effect as
3264          -odi: interactive (synchronous) delivery (sendmail-compatible option)
3265       */
3266
3267         else if (Ustrcmp(argrest, "f") == 0 || Ustrcmp(argrest, "i") == 0)
3268           {
3269           f.synchronous_delivery = TRUE;
3270           arg_queue_only = FALSE;
3271           queue_only_set = TRUE;
3272           }
3273
3274       /* -odq: queue only */
3275
3276         else if (Ustrcmp(argrest, "q") == 0)
3277           {
3278           f.synchronous_delivery = FALSE;
3279           arg_queue_only = TRUE;
3280           queue_only_set = TRUE;
3281           }
3282
3283       /* -odqs: queue SMTP only - do local deliveries and remote routing,
3284       but no remote delivery */
3285
3286         else if (Ustrcmp(argrest, "qs") == 0)
3287           {
3288           f.queue_smtp = TRUE;
3289           arg_queue_only = FALSE;
3290           queue_only_set = TRUE;
3291           }
3292         else badarg = TRUE;
3293         break;
3294
3295       /* -oex: Sendmail error flags. As these are also accepted without the
3296       leading -o prefix, for compatibility with vacation and other callers,
3297       they are handled with -e above. */
3298
3299       /* -oi:     Set flag so dot doesn't end non-SMTP input (same as -i)
3300          -oitrue: Another sendmail syntax for the same */
3301
3302       case 'i':
3303         if (!*argrest || Ustrcmp(argrest, "true") == 0)
3304           f.dot_ends = FALSE;
3305         else badarg = TRUE;
3306         break;
3307
3308     /* -oM*: Set various characteristics for an incoming message; actually
3309     acted on for trusted callers only. */
3310
3311       case 'M':
3312         {
3313         if (i+1 >= argc)
3314           exim_fail("exim: data expected after -oM%s\n", argrest);
3315
3316         /* -oMa: Set sender host address */
3317
3318         if (Ustrcmp(argrest, "a") == 0)
3319           sender_host_address = string_copy_taint(
3320             exim_str_fail_toolong(argv[++i], EXIM_IPADDR_MAX, "-oMa"),
3321             GET_TAINTED);
3322
3323         /* -oMaa: Set authenticator name */
3324
3325         else if (Ustrcmp(argrest, "aa") == 0)
3326           sender_host_authenticated = string_copy_taint(
3327             exim_str_fail_toolong(argv[++i], EXIM_DRIVERNAME_MAX, "-oMaa"),
3328             GET_TAINTED);
3329
3330         /* -oMas: setting authenticated sender */
3331
3332         else if (Ustrcmp(argrest, "as") == 0)
3333           authenticated_sender = string_copy_taint(
3334             exim_str_fail_toolong(argv[++i], EXIM_EMAILADDR_MAX, "-oMas"),
3335             GET_TAINTED);
3336
3337         /* -oMai: setting authenticated id */
3338
3339         else if (Ustrcmp(argrest, "ai") == 0)
3340           authenticated_id = string_copy_taint(
3341             exim_str_fail_toolong(argv[++i], EXIM_EMAILADDR_MAX, "-oMai"),
3342             GET_TAINTED);
3343
3344         /* -oMi: Set incoming interface address */
3345
3346         else if (Ustrcmp(argrest, "i") == 0)
3347           interface_address = string_copy_taint(
3348             exim_str_fail_toolong(argv[++i], EXIM_IPADDR_MAX, "-oMi"),
3349             GET_TAINTED);
3350
3351         /* -oMm: Message reference */
3352
3353         else if (Ustrcmp(argrest, "m") == 0)
3354           {
3355           if (!mac_ismsgid(argv[i+1]))
3356               exim_fail("-oMm must be a valid message ID\n");
3357           if (!f.trusted_config)
3358               exim_fail("-oMm must be called by a trusted user/config\n");
3359             message_reference = argv[++i];
3360           }
3361
3362         /* -oMr: Received protocol */
3363
3364         else if (Ustrcmp(argrest, "r") == 0)
3365
3366           if (received_protocol)
3367             exim_fail("received_protocol is set already\n");
3368           else
3369             received_protocol = string_copy_taint(
3370               exim_str_fail_toolong(argv[++i], EXIM_DRIVERNAME_MAX, "-oMr"),
3371               GET_TAINTED);
3372
3373         /* -oMs: Set sender host name */
3374
3375         else if (Ustrcmp(argrest, "s") == 0)
3376           sender_host_name = string_copy_taint(
3377             exim_str_fail_toolong(argv[++i], EXIM_HOSTNAME_MAX, "-oMs"),
3378             GET_TAINTED);
3379
3380         /* -oMt: Set sender ident */
3381
3382         else if (Ustrcmp(argrest, "t") == 0)
3383           {
3384           sender_ident_set = TRUE;
3385           sender_ident = string_copy_taint(
3386             exim_str_fail_toolong(argv[++i], EXIM_IDENTUSER_MAX, "-oMt"),
3387             GET_TAINTED);
3388           }
3389
3390         /* Else a bad argument */
3391
3392         else
3393           badarg = TRUE;
3394         }
3395         break;
3396
3397       /* -om: Me-too flag for aliases. Exim always does this. Some programs
3398       seem to call this as -m (undocumented), so that is also accepted (see
3399       above). */
3400       /* -oo: An ancient flag for old-style addresses which still seems to
3401       crop up in some calls (see in SCO). */
3402
3403       case 'm':
3404       case 'o':
3405         if (*argrest) badarg = TRUE;
3406         break;
3407
3408       /* -oP <name>: set pid file path for daemon
3409          -oPX:       delete pid file of daemon */
3410
3411       case 'P':
3412         if (!f.running_in_test_harness && real_uid != root_uid && real_uid != exim_uid)
3413           exim_fail("exim: only uid=%d or uid=%d can use -oP and -oPX "
3414                     "(uid=%d euid=%d | %d)\n",
3415                     root_uid, exim_uid, getuid(), geteuid(), real_uid);
3416         if (!*argrest) override_pid_file_path = argv[++i];
3417         else if (Ustrcmp(argrest, "X") == 0) delete_pid_file();
3418         else badarg = TRUE;
3419         break;
3420
3421
3422       /* -or <n>: set timeout for non-SMTP acceptance
3423          -os <n>: set timeout for SMTP acceptance */
3424
3425       case 'r':
3426       case 's':
3427         {
3428         int * tp = argrest[-1] == 'r'
3429           ? &arg_receive_timeout : &arg_smtp_receive_timeout;
3430         if (*argrest)
3431           *tp = readconf_readtime(argrest, 0, FALSE);
3432         else if (i+1 < argc)
3433           *tp = readconf_readtime(argv[++i], 0, FALSE);
3434
3435         if (*tp < 0)
3436           exim_fail("exim: bad time value %s: abandoned\n", argv[i]);
3437         }
3438         break;
3439
3440       /* -oX <list>: Override local_interfaces and/or default daemon ports */
3441       /* Limits: Is there a real limit we want here?  1024 is very arbitrary. */
3442
3443       case 'X':
3444         if (*argrest) badarg = TRUE;
3445         else override_local_interfaces = string_copy_taint(
3446           exim_str_fail_toolong(argv[++i], 1024, "-oX"),
3447           GET_TAINTED);
3448         break;
3449
3450       /* -oY: Override creation of daemon notifier socket */
3451
3452       case 'Y':
3453         if (*argrest) badarg = TRUE;
3454         else notifier_socket = NULL;
3455         break;
3456
3457       /* Unknown -o argument */
3458
3459       default:
3460         badarg = TRUE;
3461       }
3462     break;
3463
3464
3465     /* -ps: force Perl startup; -pd force delayed Perl startup */
3466
3467     case 'p':
3468     #ifdef EXIM_PERL
3469     if (*argrest == 's' && argrest[1] == 0)
3470       {
3471       perl_start_option = 1;
3472       break;
3473       }
3474     if (*argrest == 'd' && argrest[1] == 0)
3475       {
3476       perl_start_option = -1;
3477       break;
3478       }
3479     #endif
3480
3481     /* -panythingelse is taken as the Sendmail-compatible argument -prval:sval,
3482     which sets the host protocol and host name */
3483
3484     if (!*argrest)
3485       if (i+1 < argc) argrest = argv[++i]; else { badarg = TRUE; break; }
3486
3487     if (*argrest)
3488       {
3489       uschar * hn = Ustrchr(argrest, ':');
3490
3491       if (received_protocol)
3492         exim_fail("received_protocol is set already\n");
3493
3494       if (!hn)
3495         received_protocol = string_copy_taint(
3496           exim_str_fail_toolong(argrest, EXIM_DRIVERNAME_MAX, "-p<protocol>"),
3497           GET_TAINTED);
3498       else
3499         {
3500         (void) exim_str_fail_toolong(argrest, (EXIM_DRIVERNAME_MAX+1+EXIM_HOSTNAME_MAX), "-p<protocol>:<host>");
3501         received_protocol = string_copyn_taint(argrest, hn - argrest, GET_TAINTED);
3502         sender_host_name = string_copy_taint(hn + 1, GET_TAINTED);
3503         }
3504       }
3505     break;
3506
3507
3508     case 'q':
3509     receiving_message = FALSE;
3510     if (queue_interval >= 0)
3511       exim_fail("exim: -q specified more than once\n");
3512
3513     /* -qq...: Do queue runs in a 2-stage manner */
3514
3515     if (*argrest == 'q')
3516       {
3517       f.queue_2stage = TRUE;
3518       argrest++;
3519       }
3520
3521     /* -qi...: Do only first (initial) deliveries */
3522
3523     if (*argrest == 'i')
3524       {
3525       f.queue_run_first_delivery = TRUE;
3526       argrest++;
3527       }
3528
3529     /* -qf...: Run the queue, forcing deliveries
3530        -qff..: Ditto, forcing thawing as well */
3531
3532     if (*argrest == 'f')
3533       {
3534       f.queue_run_force = TRUE;
3535       if (*++argrest == 'f')
3536         {
3537         f.deliver_force_thaw = TRUE;
3538         argrest++;
3539         }
3540       }
3541
3542     /* -q[f][f]l...: Run the queue only on local deliveries */
3543
3544     if (*argrest == 'l')
3545       {
3546       f.queue_run_local = TRUE;
3547       argrest++;
3548       }
3549
3550     /* -q[f][f][l][G<name>]... Work on the named queue */
3551
3552     if (*argrest == 'G')
3553       {
3554       int i;
3555       for (argrest++, i = 0; argrest[i] && argrest[i] != '/'; ) i++;
3556       exim_len_fail_toolong(i, EXIM_DRIVERNAME_MAX, "-q*G<name>");
3557       queue_name = string_copyn(argrest, i);
3558       argrest += i;
3559       if (*argrest == '/') argrest++;
3560       }
3561
3562     /* -q[f][f][l][G<name>]: Run the queue, optionally forced, optionally local
3563     only, optionally named, optionally starting from a given message id. */
3564
3565     if (!(list_queue || count_queue))
3566       if (  !*argrest
3567          && (i + 1 >= argc || argv[i+1][0] == '-' || mac_ismsgid(argv[i+1])))
3568         {
3569         queue_interval = 0;
3570         if (i+1 < argc && mac_ismsgid(argv[i+1]))
3571           start_queue_run_id = string_copy_taint(argv[++i], GET_TAINTED);
3572         if (i+1 < argc && mac_ismsgid(argv[i+1]))
3573           stop_queue_run_id = string_copy_taint(argv[++i], GET_TAINTED);
3574         }
3575
3576     /* -q[f][f][l][G<name>/]<n>: Run the queue at regular intervals, optionally
3577     forced, optionally local only, optionally named. */
3578
3579       else if ((queue_interval = readconf_readtime(*argrest ? argrest : argv[++i],
3580                                                   0, FALSE)) <= 0)
3581         exim_fail("exim: bad time value %s: abandoned\n", argv[i]);
3582     break;
3583
3584
3585     case 'R':   /* Synonymous with -qR... */
3586       {
3587       const uschar *tainted_selectstr;
3588
3589       receiving_message = FALSE;
3590
3591     /* -Rf:   As -R (below) but force all deliveries,
3592        -Rff:  Ditto, but also thaw all frozen messages,
3593        -Rr:   String is regex
3594        -Rrf:  Regex and force
3595        -Rrff: Regex and force and thaw
3596
3597     in all cases provided there are no further characters in this
3598     argument. */
3599
3600       if (*argrest)
3601         for (int i = 0; i < nelem(rsopts); i++)
3602           if (Ustrcmp(argrest, rsopts[i]) == 0)
3603             {
3604             if (i != 2) f.queue_run_force = TRUE;
3605             if (i >= 2) f.deliver_selectstring_regex = TRUE;
3606             if (i == 1 || i == 4) f.deliver_force_thaw = TRUE;
3607             argrest += Ustrlen(rsopts[i]);
3608             }
3609
3610     /* -R: Set string to match in addresses for forced queue run to
3611     pick out particular messages. */
3612
3613       /* Avoid attacks from people providing very long strings, and do so before
3614       we make copies. */
3615       if (*argrest)
3616         tainted_selectstr = argrest;
3617       else if (i+1 < argc)
3618         tainted_selectstr = argv[++i];
3619       else
3620         exim_fail("exim: string expected after -R\n");
3621       deliver_selectstring = string_copy_taint(
3622         exim_str_fail_toolong(tainted_selectstr, EXIM_EMAILADDR_MAX, "-R"),
3623         GET_TAINTED);
3624       }
3625     break;
3626
3627     /* -r: an obsolete synonym for -f (see above) */
3628
3629
3630     /* -S: Like -R but works on sender. */
3631
3632     case 'S':   /* Synonymous with -qS... */
3633       {
3634       const uschar *tainted_selectstr;
3635
3636       receiving_message = FALSE;
3637
3638     /* -Sf:   As -S (below) but force all deliveries,
3639        -Sff:  Ditto, but also thaw all frozen messages,
3640        -Sr:   String is regex
3641        -Srf:  Regex and force
3642        -Srff: Regex and force and thaw
3643
3644     in all cases provided there are no further characters in this
3645     argument. */
3646
3647       if (*argrest)
3648         for (int i = 0; i < nelem(rsopts); i++)
3649           if (Ustrcmp(argrest, rsopts[i]) == 0)
3650             {
3651             if (i != 2) f.queue_run_force = TRUE;
3652             if (i >= 2) f.deliver_selectstring_sender_regex = TRUE;
3653             if (i == 1 || i == 4) f.deliver_force_thaw = TRUE;
3654             argrest += Ustrlen(rsopts[i]);
3655             }
3656
3657     /* -S: Set string to match in addresses for forced queue run to
3658     pick out particular messages. */
3659
3660       if (*argrest)
3661         tainted_selectstr = argrest;
3662       else if (i+1 < argc)
3663         tainted_selectstr = argv[++i];
3664       else
3665         exim_fail("exim: string expected after -S\n");
3666       deliver_selectstring_sender = string_copy_taint(
3667         exim_str_fail_toolong(tainted_selectstr, EXIM_EMAILADDR_MAX, "-S"),
3668         GET_TAINTED);
3669       }
3670     break;
3671
3672     /* -Tqt is an option that is exclusively for use by the testing suite.
3673     It is not recognized in other circumstances. It allows for the setting up
3674     of explicit "queue times" so that various warning/retry things can be
3675     tested. Otherwise variability of clock ticks etc. cause problems. */
3676
3677     case 'T':
3678     if (f.running_in_test_harness && Ustrcmp(argrest, "qt") == 0)
3679       fudged_queue_times = string_copy_taint(argv[++i], GET_TAINTED);
3680     else badarg = TRUE;
3681     break;
3682
3683
3684     /* -t: Set flag to extract recipients from body of message. */
3685
3686     case 't':
3687     if (!*argrest) extract_recipients = TRUE;
3688
3689     /* -ti: Set flag to extract recipients from body of message, and also
3690     specify that dot does not end the message. */
3691
3692     else if (Ustrcmp(argrest, "i") == 0)
3693       {
3694       extract_recipients = TRUE;
3695       f.dot_ends = FALSE;
3696       }
3697
3698     /* -tls-on-connect: don't wait for STARTTLS (for old clients) */
3699
3700     #ifndef DISABLE_TLS
3701     else if (Ustrcmp(argrest, "ls-on-connect") == 0) tls_in.on_connect = TRUE;
3702     #endif
3703
3704     else badarg = TRUE;
3705     break;
3706
3707
3708     /* -U: This means "initial user submission" in sendmail, apparently. The
3709     doc claims that in future sendmail may refuse syntactically invalid
3710     messages instead of fixing them. For the moment, we just ignore it. */
3711
3712     case 'U':
3713     break;
3714
3715
3716     /* -v: verify things - this is a very low-level debugging */
3717
3718     case 'v':
3719     if (!*argrest)
3720       {
3721       debug_selector |= D_v;
3722       debug_file = stderr;
3723       }
3724     else badarg = TRUE;
3725     break;
3726
3727
3728     /* -x: AIX uses this to indicate some fancy 8-bit character stuff:
3729
3730       The -x flag tells the sendmail command that mail from a local
3731       mail program has National Language Support (NLS) extended characters
3732       in the body of the mail item. The sendmail command can send mail with
3733       extended NLS characters across networks that normally corrupts these
3734       8-bit characters.
3735
3736     As Exim is 8-bit clean, it just ignores this flag. */
3737
3738     case 'x':
3739     if (*argrest) badarg = TRUE;
3740     break;
3741
3742     /* -X: in sendmail: takes one parameter, logfile, and sends debugging
3743     logs to that file.  We swallow the parameter and otherwise ignore it. */
3744
3745     case 'X':
3746     if (!*argrest)
3747       if (++i >= argc)
3748         exim_fail("exim: string expected after -X\n");
3749     break;
3750
3751     /* -z: a line of text to log */
3752
3753     case 'z':
3754     if (!*argrest)
3755       if (++i < argc)
3756         log_oneline = string_copy_taint(
3757           exim_str_fail_toolong(argv[i], 2048, "-z logtext"),
3758           GET_TAINTED);
3759       else
3760         exim_fail("exim: file name expected after %s\n", argv[i-1]);
3761     break;
3762
3763     /* All other initial characters are errors */
3764
3765     default:
3766     badarg = TRUE;
3767     break;
3768     }         /* End of high-level switch statement */
3769
3770   /* Failed to recognize the option, or syntax error */
3771
3772   if (badarg)
3773     exim_fail("exim abandoned: unknown, malformed, or incomplete "
3774       "option %s\n", arg);
3775   }
3776
3777
3778 /* If -R or -S have been specified without -q, assume a single queue run. */
3779
3780  if (  (deliver_selectstring || deliver_selectstring_sender)
3781     && queue_interval < 0)
3782   queue_interval = 0;
3783
3784
3785 END_ARG:
3786  store_pool = old_pool;
3787  }
3788
3789 /* If usage_wanted is set we call the usage function - which never returns */
3790 if (usage_wanted) exim_usage(called_as);
3791
3792 /* Arguments have been processed. Check for incompatibilities. */
3793 if (  (  (smtp_input || extract_recipients || recipients_arg < argc)
3794       && (  f.daemon_listen || queue_interval >= 0 || bi_option
3795          || test_retry_arg >= 0 || test_rewrite_arg >= 0
3796          || filter_test != FTEST_NONE
3797          || msg_action_arg > 0 && !one_msg_action
3798       )  )
3799    || (  msg_action_arg > 0
3800       && (  f.daemon_listen || queue_interval > 0 || list_options
3801          || checking && msg_action != MSG_LOAD
3802          || bi_option || test_retry_arg >= 0 || test_rewrite_arg >= 0
3803       )  )
3804    || (  (f.daemon_listen || queue_interval > 0)
3805       && (  sender_address || list_options || list_queue || checking
3806          || bi_option
3807       )  )
3808    || f.daemon_listen && queue_interval == 0
3809    || f.inetd_wait_mode && queue_interval >= 0
3810    || (  list_options
3811       && (  checking || smtp_input || extract_recipients
3812          || filter_test != FTEST_NONE || bi_option
3813       )  )
3814    || (  verify_address_mode
3815       && (  f.address_test_mode || smtp_input || extract_recipients
3816          || filter_test != FTEST_NONE || bi_option
3817       )  )
3818    || (  f.address_test_mode
3819       && (  smtp_input || extract_recipients || filter_test != FTEST_NONE
3820          || bi_option
3821       )  )
3822    || (  smtp_input
3823       && (sender_address || filter_test != FTEST_NONE || extract_recipients)
3824       )
3825    || deliver_selectstring && queue_interval < 0
3826    || msg_action == MSG_LOAD && (!expansion_test || expansion_test_message)
3827    )
3828   exim_fail("exim: incompatible command-line options or arguments\n");
3829
3830 /* If debugging is set up, set the file and the file descriptor to pass on to
3831 child processes. It should, of course, be 2 for stderr. Also, force the daemon
3832 to run in the foreground. */
3833
3834 if (debug_selector != 0)
3835   {
3836   debug_file = stderr;
3837   debug_fd = fileno(debug_file);
3838   f.background_daemon = FALSE;
3839   testharness_pause_ms(100);   /* lets caller finish */
3840   if (debug_selector != D_v)    /* -v only doesn't show this */
3841     {
3842     debug_printf("Exim version %s uid=%ld gid=%ld pid=%d D=%x\n",
3843       version_string, (long int)real_uid, (long int)real_gid, (int)getpid(),
3844       debug_selector);
3845     if (!version_printed)
3846       show_whats_supported(FALSE);
3847     }
3848   }
3849
3850 /* When started with root privilege, ensure that the limits on the number of
3851 open files and the number of processes (where that is accessible) are
3852 sufficiently large, or are unset, in case Exim has been called from an
3853 environment where the limits are screwed down. Not all OS have the ability to
3854 change some of these limits. */
3855
3856 if (unprivileged)
3857   {
3858   DEBUG(D_any) debug_print_ids(US"Exim has no root privilege:");
3859   }
3860 else
3861   {
3862   struct rlimit rlp;
3863
3864 #ifdef RLIMIT_NOFILE
3865   if (getrlimit(RLIMIT_NOFILE, &rlp) < 0)
3866     {
3867     log_write(0, LOG_MAIN|LOG_PANIC, "getrlimit(RLIMIT_NOFILE) failed: %s",
3868       strerror(errno));
3869     rlp.rlim_cur = rlp.rlim_max = 0;
3870     }
3871
3872   /* I originally chose 1000 as a nice big number that was unlikely to
3873   be exceeded. It turns out that some older OS have a fixed upper limit of
3874   256. */
3875
3876   if (rlp.rlim_cur < 1000)
3877     {
3878     rlp.rlim_cur = rlp.rlim_max = 1000;
3879     if (setrlimit(RLIMIT_NOFILE, &rlp) < 0)
3880       {
3881       rlp.rlim_cur = rlp.rlim_max = 256;
3882       if (setrlimit(RLIMIT_NOFILE, &rlp) < 0)
3883         log_write(0, LOG_MAIN|LOG_PANIC, "setrlimit(RLIMIT_NOFILE) failed: %s",
3884           strerror(errno));
3885       }
3886     }
3887 #endif
3888
3889 #ifdef RLIMIT_NPROC
3890   if (getrlimit(RLIMIT_NPROC, &rlp) < 0)
3891     {
3892     log_write(0, LOG_MAIN|LOG_PANIC, "getrlimit(RLIMIT_NPROC) failed: %s",
3893       strerror(errno));
3894     rlp.rlim_cur = rlp.rlim_max = 0;
3895     }
3896
3897 # ifdef RLIM_INFINITY
3898   if (rlp.rlim_cur != RLIM_INFINITY && rlp.rlim_cur < 1000)
3899     {
3900     rlp.rlim_cur = rlp.rlim_max = RLIM_INFINITY;
3901 # else
3902   if (rlp.rlim_cur < 1000)
3903     {
3904     rlp.rlim_cur = rlp.rlim_max = 1000;
3905 # endif
3906     if (setrlimit(RLIMIT_NPROC, &rlp) < 0)
3907       log_write(0, LOG_MAIN|LOG_PANIC, "setrlimit(RLIMIT_NPROC) failed: %s",
3908         strerror(errno));
3909     }
3910 #endif
3911   }
3912
3913 /* Exim is normally entered as root (but some special configurations are
3914 possible that don't do this). However, it always spins off sub-processes that
3915 set their uid and gid as required for local delivery. We don't want to pass on
3916 any extra groups that root may belong to, so we want to get rid of them all at
3917 this point.
3918
3919 We need to obey setgroups() at this stage, before possibly giving up root
3920 privilege for a changed configuration file, but later on we might need to
3921 check on the additional groups for the admin user privilege - can't do that
3922 till after reading the config, which might specify the exim gid. Therefore,
3923 save the group list here first. */
3924
3925 if ((group_count = getgroups(nelem(group_list), group_list)) < 0)
3926   exim_fail("exim: getgroups() failed: %s\n", strerror(errno));
3927
3928 /* There is a fundamental difference in some BSD systems in the matter of
3929 groups. FreeBSD and BSDI are known to be different; NetBSD and OpenBSD are
3930 known not to be different. On the "different" systems there is a single group
3931 list, and the first entry in it is the current group. On all other versions of
3932 Unix there is a supplementary group list, which is in *addition* to the current
3933 group. Consequently, to get rid of all extraneous groups on a "standard" system
3934 you pass over 0 groups to setgroups(), while on a "different" system you pass
3935 over a single group - the current group, which is always the first group in the
3936 list. Calling setgroups() with zero groups on a "different" system results in
3937 an error return. The following code should cope with both types of system.
3938
3939  Unfortunately, recent MacOS, which should be a FreeBSD, "helpfully" succeeds
3940  the "setgroups() with zero groups" - and changes the egid.
3941  Thanks to that we had to stash the original_egid above, for use below
3942  in the call to exim_setugid().
3943
3944 However, if this process isn't running as root, setgroups() can't be used
3945 since you have to be root to run it, even if throwing away groups.
3946 Except, sigh, for Hurd - where you can.
3947 Not being root here happens only in some unusual configurations. */
3948
3949 if (  !unprivileged
3950 #ifndef OS_SETGROUPS_ZERO_DROPS_ALL
3951    && setgroups(0, NULL) != 0
3952 #endif
3953    && setgroups(1, group_list) != 0)
3954   exim_fail("exim: setgroups() failed: %s\n", strerror(errno));
3955
3956 /* If the configuration file name has been altered by an argument on the
3957 command line (either a new file name or a macro definition) and the caller is
3958 not root, or if this is a filter testing run, remove any setuid privilege the
3959 program has and run as the underlying user.
3960
3961 The exim user is locked out of this, which severely restricts the use of -C
3962 for some purposes.
3963
3964 Otherwise, set the real ids to the effective values (should be root unless run
3965 from inetd, which it can either be root or the exim uid, if one is configured).
3966
3967 There is a private mechanism for bypassing some of this, in order to make it
3968 possible to test lots of configurations automatically, without having either to
3969 recompile each time, or to patch in an actual configuration file name and other
3970 values (such as the path name). If running in the test harness, pretend that
3971 configuration file changes and macro definitions haven't happened. */
3972
3973 if ((                                            /* EITHER */
3974     (!f.trusted_config ||                          /* Config changed, or */
3975      !macros_trusted(opt_D_used)) &&             /*  impermissible macros and */
3976     real_uid != root_uid &&                      /* Not root, and */
3977     !f.running_in_test_harness                     /* Not fudged */
3978     ) ||                                         /*   OR   */
3979     expansion_test                               /* expansion testing */
3980     ||                                           /*   OR   */
3981     filter_test != FTEST_NONE)                   /* Filter testing */
3982   {
3983   setgroups(group_count, group_list);
3984   exim_setugid(real_uid, real_gid, FALSE,
3985     US"-C, -D, -be or -bf forces real uid");
3986   removed_privilege = TRUE;
3987
3988   /* In the normal case when Exim is called like this, stderr is available
3989   and should be used for any logging information because attempts to write
3990   to the log will usually fail. To arrange this, we unset really_exim. However,
3991   if no stderr is available there is no point - we might as well have a go
3992   at the log (if it fails, syslog will be written).
3993
3994   Note that if the invoker is Exim, the logs remain available. Messing with
3995   this causes unlogged successful deliveries.  */
3996
3997   if (log_stderr && real_uid != exim_uid)
3998     f.really_exim = FALSE;
3999   }
4000
4001 /* Privilege is to be retained for the moment. It may be dropped later,
4002 depending on the job that this Exim process has been asked to do. For now, set
4003 the real uid to the effective so that subsequent re-execs of Exim are done by a
4004 privileged user. */
4005
4006 else
4007   exim_setugid(geteuid(), original_egid, FALSE, US"forcing real = effective");
4008
4009 /* If testing a filter, open the file(s) now, before wasting time doing other
4010 setups and reading the message. */
4011
4012 if (filter_test & FTEST_SYSTEM)
4013   if ((filter_sfd = Uopen(filter_test_sfile, O_RDONLY, 0)) < 0)
4014     exim_fail("exim: failed to open %s: %s\n", filter_test_sfile,
4015       strerror(errno));
4016
4017 if (filter_test & FTEST_USER)
4018   if ((filter_ufd = Uopen(filter_test_ufile, O_RDONLY, 0)) < 0)
4019     exim_fail("exim: failed to open %s: %s\n", filter_test_ufile,
4020       strerror(errno));
4021
4022 /* Initialise lookup_list
4023 If debugging, already called above via version reporting.
4024 In either case, we initialise the list of available lookups while running
4025 as root.  All dynamically modules are loaded from a directory which is
4026 hard-coded into the binary and is code which, if not a module, would be
4027 part of Exim already.  Ability to modify the content of the directory
4028 is equivalent to the ability to modify a setuid binary!
4029
4030 This needs to happen before we read the main configuration. */
4031 init_lookup_list();
4032
4033 /*XXX this excrescence could move to the testsuite standard config setup file */
4034 #ifdef SUPPORT_I18N
4035 if (f.running_in_test_harness) smtputf8_advertise_hosts = NULL;
4036 #endif
4037
4038 /* Read the main runtime configuration data; this gives up if there
4039 is a failure. It leaves the configuration file open so that the subsequent
4040 configuration data for delivery can be read if needed.
4041
4042 NOTE: immediately after opening the configuration file we change the working
4043 directory to "/"! Later we change to $spool_directory. We do it there, because
4044 during readconf_main() some expansion takes place already. */
4045
4046 /* Store the initial cwd before we change directories.  Can be NULL if the
4047 dir has already been unlinked. */
4048 initial_cwd = os_getcwd(NULL, 0);
4049 if (!initial_cwd && errno)
4050   exim_fail("exim: getting initial cwd failed: %s\n", strerror(errno));
4051
4052 if (initial_cwd && (strlen(CCS initial_cwd) >= BIG_BUFFER_SIZE))
4053   exim_fail("exim: initial cwd is far too long (%d)\n", Ustrlen(CCS initial_cwd));
4054
4055 /* checking:
4056     -be[m] expansion test        -
4057     -b[fF] filter test           new
4058     -bh[c] host test             -
4059     -bmalware malware_test_file  new
4060     -brt   retry test            new
4061     -brw   rewrite test          new
4062     -bt    address test          -
4063     -bv[s] address verify        -
4064    list_options:
4065     -bP <option> (except -bP config, which sets list_config)
4066
4067 If any of these options is set, we suppress warnings about configuration
4068 issues (currently about tls_advertise_hosts and keep_environment not being
4069 defined) */
4070
4071   {
4072   int old_pool = store_pool;
4073 #ifdef MEASURE_TIMING
4074   struct timeval t0;
4075   (void)gettimeofday(&t0, NULL);
4076 #endif
4077
4078   store_pool = POOL_CONFIG;
4079   readconf_main(checking || list_options);
4080   store_pool = old_pool;
4081
4082 #ifdef MEASURE_TIMING
4083   report_time_since(&t0, US"readconf_main (delta)");
4084 #endif
4085   }
4086
4087 /* Now in directory "/" */
4088
4089 if (cleanup_environment() == FALSE)
4090   log_write(0, LOG_PANIC_DIE, "Can't cleanup environment");
4091
4092
4093 /* If an action on specific messages is requested, or if a daemon or queue
4094 runner is being started, we need to know if Exim was called by an admin user.
4095 This is the case if the real user is root or exim, or if the real group is
4096 exim, or if one of the supplementary groups is exim or a group listed in
4097 admin_groups. We don't fail all message actions immediately if not admin_user,
4098 since some actions can be performed by non-admin users. Instead, set admin_user
4099 for later interrogation. */
4100
4101 if (real_uid == root_uid || real_uid == exim_uid || real_gid == exim_gid)
4102   f.admin_user = TRUE;
4103 else
4104   for (int i = 0; i < group_count && !f.admin_user; i++)
4105     if (group_list[i] == exim_gid)
4106       f.admin_user = TRUE;
4107     else if (admin_groups)
4108       for (int j = 1; j <= (int)admin_groups[0] && !f.admin_user; j++)
4109         if (admin_groups[j] == group_list[i])
4110           f.admin_user = TRUE;
4111
4112 /* Another group of privileged users are the trusted users. These are root,
4113 exim, and any caller matching trusted_users or trusted_groups. Trusted callers
4114 are permitted to specify sender_addresses with -f on the command line, and
4115 other message parameters as well. */
4116
4117 if (real_uid == root_uid || real_uid == exim_uid)
4118   f.trusted_caller = TRUE;
4119 else
4120   {
4121   if (trusted_users)
4122     for (int i = 1; i <= (int)trusted_users[0] && !f.trusted_caller; i++)
4123       if (trusted_users[i] == real_uid)
4124         f.trusted_caller = TRUE;
4125
4126   if (trusted_groups)
4127     for (int i = 1; i <= (int)trusted_groups[0] && !f.trusted_caller; i++)
4128       if (trusted_groups[i] == real_gid)
4129         f.trusted_caller = TRUE;
4130       else for (int j = 0; j < group_count && !f.trusted_caller; j++)
4131         if (trusted_groups[i] == group_list[j])
4132           f.trusted_caller = TRUE;
4133   }
4134
4135 /* At this point, we know if the user is privileged and some command-line
4136 options become possibly impermissible, depending upon the configuration file. */
4137
4138 if (checking && commandline_checks_require_admin && !f.admin_user)
4139   exim_fail("exim: those command-line flags are set to require admin\n");
4140
4141 /* Handle the decoding of logging options. */
4142
4143 decode_bits(log_selector, log_selector_size, log_notall,
4144   log_selector_string, log_options, log_options_count, US"log", 0);
4145
4146 DEBUG(D_any)
4147   {
4148   debug_printf("configuration file is %s\n", config_main_filename);
4149   debug_printf("log selectors =");
4150   for (int i = 0; i < log_selector_size; i++)
4151     debug_printf(" %08x", log_selector[i]);
4152   debug_printf("\n");
4153   }
4154
4155 /* If domain literals are not allowed, check the sender address that was
4156 supplied with -f. Ditto for a stripped trailing dot. */
4157
4158 if (sender_address)
4159   {
4160   if (sender_address[sender_address_domain] == '[' && !allow_domain_literals)
4161     exim_fail("exim: bad -f address \"%s\": domain literals not "
4162       "allowed\n", sender_address);
4163   if (f_end_dot && !strip_trailing_dot)
4164     exim_fail("exim: bad -f address \"%s.\": domain is malformed "
4165       "(trailing dot not allowed)\n", sender_address);
4166   }
4167
4168 /* See if an admin user overrode our logging. */
4169
4170 if (cmdline_syslog_name)
4171   if (f.admin_user)
4172     {
4173     syslog_processname = cmdline_syslog_name;
4174     log_file_path = string_copy(CUS"syslog");
4175     }
4176   else
4177     /* not a panic, non-privileged users should not be able to spam paniclog */
4178     exim_fail(
4179         "exim: you lack sufficient privilege to specify syslog process name\n");
4180
4181 /* Paranoia check of maximum lengths of certain strings. There is a check
4182 on the length of the log file path in log.c, which will come into effect
4183 if there are any calls to write the log earlier than this. However, if we
4184 get this far but the string is very long, it is better to stop now than to
4185 carry on and (e.g.) receive a message and then have to collapse. The call to
4186 log_write() from here will cause the ultimate panic collapse if the complete
4187 file name exceeds the buffer length. */
4188
4189 if (Ustrlen(log_file_path) > 200)
4190   log_write(0, LOG_MAIN|LOG_PANIC_DIE,
4191     "log_file_path is longer than 200 chars: aborting");
4192
4193 if (Ustrlen(pid_file_path) > 200)
4194   log_write(0, LOG_MAIN|LOG_PANIC_DIE,
4195     "pid_file_path is longer than 200 chars: aborting");
4196
4197 if (Ustrlen(spool_directory) > 200)
4198   log_write(0, LOG_MAIN|LOG_PANIC_DIE,
4199     "spool_directory is longer than 200 chars: aborting");
4200
4201 /* Length check on the process name given to syslog for its TAG field,
4202 which is only permitted to be 32 characters or less. See RFC 3164. */
4203
4204 if (Ustrlen(syslog_processname) > 32)
4205   log_write(0, LOG_MAIN|LOG_PANIC_DIE,
4206     "syslog_processname is longer than 32 chars: aborting");
4207
4208 if (log_oneline)
4209   if (f.admin_user)
4210     {
4211     log_write(0, LOG_MAIN, "%s", log_oneline);
4212     return EXIT_SUCCESS;
4213     }
4214   else
4215     return EXIT_FAILURE;
4216
4217 /* In some operating systems, the environment variable TMPDIR controls where
4218 temporary files are created; Exim doesn't use these (apart from when delivering
4219 to MBX mailboxes), but called libraries such as DBM libraries may require them.
4220 If TMPDIR is found in the environment, reset it to the value defined in the
4221 EXIM_TMPDIR macro, if this macro is defined.  For backward compatibility this
4222 macro may be called TMPDIR in old "Local/Makefile"s. It's converted to
4223 EXIM_TMPDIR by the build scripts.
4224 */
4225
4226 #ifdef EXIM_TMPDIR
4227   if (environ) for (uschar ** p = USS environ; *p; p++)
4228     if (Ustrncmp(*p, "TMPDIR=", 7) == 0 && Ustrcmp(*p+7, EXIM_TMPDIR) != 0)
4229       {
4230       uschar * newp = store_malloc(Ustrlen(EXIM_TMPDIR) + 8);
4231       sprintf(CS newp, "TMPDIR=%s", EXIM_TMPDIR);
4232       *p = newp;
4233       DEBUG(D_any) debug_printf("reset TMPDIR=%s in environment\n", EXIM_TMPDIR);
4234       }
4235 #endif
4236
4237 /* Timezone handling. If timezone_string is "utc", set a flag to cause all
4238 timestamps to be in UTC (gmtime() is used instead of localtime()). Otherwise,
4239 we may need to get rid of a bogus timezone setting. This can arise when Exim is
4240 called by a user who has set the TZ variable. This then affects the timestamps
4241 in log files and in Received: headers, and any created Date: header lines. The
4242 required timezone is settable in the configuration file, so nothing can be done
4243 about this earlier - but hopefully nothing will normally be logged earlier than
4244 this. We have to make a new environment if TZ is wrong, but don't bother if
4245 timestamps_utc is set, because then all times are in UTC anyway. */
4246
4247 if (timezone_string && strcmpic(timezone_string, US"UTC") == 0)
4248   f.timestamps_utc = TRUE;
4249 else
4250   {
4251   uschar *envtz = US getenv("TZ");
4252   if (envtz
4253       ? !timezone_string || Ustrcmp(timezone_string, envtz) != 0
4254       : timezone_string != NULL
4255      )
4256     {
4257     uschar **p = USS environ;
4258     uschar **new;
4259     uschar **newp;
4260     int count = 0;
4261     if (environ) while (*p++) count++;
4262     if (!envtz) count++;
4263     newp = new = store_malloc(sizeof(uschar *) * (count + 1));
4264     if (environ) for (p = USS environ; *p; p++)
4265       if (Ustrncmp(*p, "TZ=", 3) != 0) *newp++ = *p;
4266     if (timezone_string)
4267       {
4268       *newp = store_malloc(Ustrlen(timezone_string) + 4);
4269       sprintf(CS *newp++, "TZ=%s", timezone_string);
4270       }
4271     *newp = NULL;
4272     environ = CSS new;
4273     tzset();
4274     DEBUG(D_any) debug_printf("Reset TZ to %s: time is %s\n", timezone_string,
4275       tod_stamp(tod_log));
4276     }
4277   }
4278
4279 /* Handle the case when we have removed the setuid privilege because of -C or
4280 -D. This means that the caller of Exim was not root.
4281
4282 There is a problem if we were running as the Exim user. The sysadmin may
4283 expect this case to retain privilege because "the binary was called by the
4284 Exim user", but it hasn't, because either the -D option set macros, or the
4285 -C option set a non-trusted configuration file. There are two possibilities:
4286
4287   (1) If deliver_drop_privilege is set, Exim is not going to re-exec in order
4288       to do message deliveries. Thus, the fact that it is running as a
4289       non-privileged user is plausible, and might be wanted in some special
4290       configurations. However, really_exim will have been set false when
4291       privilege was dropped, to stop Exim trying to write to its normal log
4292       files. Therefore, re-enable normal log processing, assuming the sysadmin
4293       has set up the log directory correctly.
4294
4295   (2) If deliver_drop_privilege is not set, the configuration won't work as
4296       apparently intended, and so we log a panic message. In order to retain
4297       root for -C or -D, the caller must either be root or be invoking a
4298       trusted configuration file (when deliver_drop_privilege is false). */
4299
4300 if (  removed_privilege
4301    && (!f.trusted_config || opt_D_used)
4302    && real_uid == exim_uid)
4303   if (deliver_drop_privilege)
4304     f.really_exim = TRUE; /* let logging work normally */
4305   else
4306     log_write(0, LOG_MAIN|LOG_PANIC,
4307       "exim user lost privilege for using %s option",
4308       f.trusted_config? "-D" : "-C");
4309
4310 /* Start up Perl interpreter if Perl support is configured and there is a
4311 perl_startup option, and the configuration or the command line specifies
4312 initializing starting. Note that the global variables are actually called
4313 opt_perl_xxx to avoid clashing with perl's namespace (perl_*). */
4314
4315 #ifdef EXIM_PERL
4316 if (perl_start_option != 0)
4317   opt_perl_at_start = (perl_start_option > 0);
4318 if (opt_perl_at_start && opt_perl_startup != NULL)
4319   {
4320   uschar *errstr;
4321   DEBUG(D_any) debug_printf("Starting Perl interpreter\n");
4322   if ((errstr = init_perl(opt_perl_startup)))
4323     exim_fail("exim: error in perl_startup code: %s\n", errstr);
4324   opt_perl_started = TRUE;
4325   }
4326 #endif /* EXIM_PERL */
4327
4328 /* Log the arguments of the call if the configuration file said so. This is
4329 a debugging feature for finding out what arguments certain MUAs actually use.
4330 Don't attempt it if logging is disabled, or if listing variables or if
4331 verifying/testing addresses or expansions. */
4332
4333 if (  (debug_selector & D_any  ||  LOGGING(arguments))
4334    && f.really_exim && !list_options && !checking)
4335   {
4336   uschar *p = big_buffer;
4337   Ustrcpy(p, US"cwd= (failed)");
4338
4339   if (!initial_cwd)
4340     p += 13;
4341   else
4342     {
4343     p += 4;
4344     snprintf(CS p, big_buffer_size - (p - big_buffer), "%s", CCS initial_cwd);
4345     p += Ustrlen(CCS p);
4346     }
4347
4348   (void)string_format(p, big_buffer_size - (p - big_buffer), " %d args:", argc);
4349   while (*p) p++;
4350   for (int i = 0; i < argc; i++)
4351     {
4352     int len = Ustrlen(argv[i]);
4353     const uschar *printing;
4354     uschar *quote;
4355     if (p + len + 8 >= big_buffer + big_buffer_size)
4356       {
4357       Ustrcpy(p, US" ...");
4358       log_write(0, LOG_MAIN, "%s", big_buffer);
4359       Ustrcpy(big_buffer, US"...");
4360       p = big_buffer + 3;
4361       }
4362     printing = string_printing(argv[i]);
4363     if (!*printing) quote = US"\"";
4364     else
4365       {
4366       const uschar *pp = printing;
4367       quote = US"";
4368       while (*pp) if (isspace(*pp++)) { quote = US"\""; break; }
4369       }
4370     p += sprintf(CS p, " %s%.*s%s", quote, (int)(big_buffer_size -
4371       (p - big_buffer) - 4), printing, quote);
4372     }
4373
4374   if (LOGGING(arguments))
4375     log_write(0, LOG_MAIN, "%s", big_buffer);
4376   else
4377     debug_printf("%s\n", big_buffer);
4378   }
4379
4380 /* Set the working directory to be the top-level spool directory. We don't rely
4381 on this in the code, which always uses fully qualified names, but it's useful
4382 for core dumps etc. Don't complain if it fails - the spool directory might not
4383 be generally accessible and calls with the -C option (and others) have lost
4384 privilege by now. Before the chdir, we try to ensure that the directory exists.
4385 */
4386
4387 if (Uchdir(spool_directory) != 0)
4388   {
4389   (void) directory_make(spool_directory, US"", SPOOL_DIRECTORY_MODE, FALSE);
4390   (void) Uchdir(spool_directory);
4391   }
4392
4393 /* Handle calls with the -bi option. This is a sendmail option to rebuild *the*
4394 alias file. Exim doesn't have such a concept, but this call is screwed into
4395 Sun's YP makefiles. Handle this by calling a configured script, as the real
4396 user who called Exim. The -oA option can be used to pass an argument to the
4397 script. */
4398
4399 if (bi_option)
4400   {
4401   (void) fclose(config_file);
4402   if (bi_command && *bi_command)
4403     {
4404     int i = 0;
4405     uschar *argv[3];
4406     argv[i++] = bi_command;     /* nonexpanded option so assume untainted */
4407     if (alias_arg) argv[i++] = alias_arg;
4408     argv[i++] = NULL;
4409
4410     setgroups(group_count, group_list);
4411     exim_setugid(real_uid, real_gid, FALSE, US"running bi_command");
4412
4413     DEBUG(D_exec) debug_printf("exec '%.256s' %s%.256s%s\n", argv[0],
4414       argv[1] ? "'" : "", argv[1] ? argv[1] : US"", argv[1] ? "'" : "");
4415
4416     execv(CS argv[0], (char *const *)argv);
4417     exim_fail("exim: exec '%s' failed: %s\n", argv[0], strerror(errno));
4418     }
4419   else
4420     {
4421     DEBUG(D_any) debug_printf("-bi used but bi_command not set; exiting\n");
4422     exit(EXIT_SUCCESS);
4423     }
4424   }
4425
4426 /* We moved the admin/trusted check to be immediately after reading the
4427 configuration file.  We leave these prints here to ensure that syslog setup,
4428 logfile setup, and so on has already happened. */
4429
4430 if (f.trusted_caller) DEBUG(D_any) debug_printf("trusted user\n");
4431 if (f.admin_user) DEBUG(D_any) debug_printf("admin user\n");
4432
4433 /* Only an admin user may start the daemon or force a queue run in the default
4434 configuration, but the queue run restriction can be relaxed. Only an admin
4435 user may request that a message be returned to its sender forthwith. Only an
4436 admin user may specify a debug level greater than D_v (because it might show
4437 passwords, etc. in lookup queries). Only an admin user may request a queue
4438 count. Only an admin user can use the test interface to scan for email
4439 (because Exim will be in the spool dir and able to look at mails). */
4440
4441 if (!f.admin_user)
4442   {
4443   BOOL debugset = (debug_selector & ~D_v) != 0;
4444   if (  deliver_give_up || f.daemon_listen || malware_test_file
4445      || count_queue && queue_list_requires_admin
4446      || list_queue && queue_list_requires_admin
4447      || queue_interval >= 0 && prod_requires_admin
4448      || queue_name_dest && prod_requires_admin
4449      || debugset && !f.running_in_test_harness
4450      )
4451     exim_fail("exim:%s permission denied\n", debugset ? " debugging" : "");
4452   }
4453
4454 /* If the real user is not root or the exim uid, the argument for passing
4455 in an open TCP/IP connection for another message is not permitted, nor is
4456 running with the -N option for any delivery action, unless this call to exim is
4457 one that supplied an input message, or we are using a patched exim for
4458 regression testing. */
4459
4460 if (  real_uid != root_uid && real_uid != exim_uid
4461    && (  continue_hostname
4462       || (  f.dont_deliver
4463          && (queue_interval >= 0 || f.daemon_listen || msg_action_arg > 0)
4464       )  )
4465    && !f.running_in_test_harness
4466    )
4467   exim_fail("exim: Permission denied\n");
4468
4469 /* If the caller is not trusted, certain arguments are ignored when running for
4470 real, but are permitted when checking things (-be, -bv, -bt, -bh, -bf, -bF).
4471 Note that authority for performing certain actions on messages is tested in the
4472 queue_action() function. */
4473
4474 if (!f.trusted_caller && !checking)
4475   {
4476   sender_host_name = sender_host_address = interface_address =
4477     sender_ident = received_protocol = NULL;
4478   sender_host_port = interface_port = 0;
4479   sender_host_authenticated = authenticated_sender = authenticated_id = NULL;
4480   }
4481
4482 /* If a sender host address is set, extract the optional port number off the
4483 end of it and check its syntax. Do the same thing for the interface address.
4484 Exim exits if the syntax is bad. */
4485
4486 else
4487   {
4488   if (sender_host_address)
4489     sender_host_port = check_port(sender_host_address);
4490   if (interface_address)
4491     interface_port = check_port(interface_address);
4492   }
4493
4494 /* If the caller is trusted, then they can use -G to suppress_local_fixups. */
4495 if (flag_G)
4496   {
4497   if (f.trusted_caller)
4498     {
4499     f.suppress_local_fixups = f.suppress_local_fixups_default = TRUE;
4500     DEBUG(D_acl) debug_printf("suppress_local_fixups forced on by -G\n");
4501     }
4502   else
4503     exim_fail("exim: permission denied (-G requires a trusted user)\n");
4504   }
4505
4506 /* If an SMTP message is being received check to see if the standard input is a
4507 TCP/IP socket. If it is, we assume that Exim was called from inetd if the
4508 caller is root or the Exim user, or if the port is a privileged one. Otherwise,
4509 barf. */
4510
4511 if (smtp_input)
4512   {
4513   union sockaddr_46 inetd_sock;
4514   EXIM_SOCKLEN_T size = sizeof(inetd_sock);
4515   if (getpeername(0, (struct sockaddr *)(&inetd_sock), &size) == 0)
4516     {
4517     int family = ((struct sockaddr *)(&inetd_sock))->sa_family;
4518     if (family == AF_INET || family == AF_INET6)
4519       {
4520       union sockaddr_46 interface_sock;
4521       size = sizeof(interface_sock);
4522
4523       if (getsockname(0, (struct sockaddr *)(&interface_sock), &size) == 0)
4524         interface_address = host_ntoa(-1, &interface_sock, NULL,
4525           &interface_port);
4526
4527       if (host_is_tls_on_connect_port(interface_port)) tls_in.on_connect = TRUE;
4528
4529       if (real_uid == root_uid || real_uid == exim_uid || interface_port < 1024)
4530         {
4531         f.is_inetd = TRUE;
4532         sender_host_address = host_ntoa(-1, (struct sockaddr *)(&inetd_sock),
4533           NULL, &sender_host_port);
4534         if (mua_wrapper) log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Input from "
4535           "inetd is not supported when mua_wrapper is set");
4536         }
4537       else
4538         exim_fail(
4539           "exim: Permission denied (unprivileged user, unprivileged port)\n");
4540       }
4541     }
4542   }
4543
4544 /* If the load average is going to be needed while receiving a message, get it
4545 now for those OS that require the first call to os_getloadavg() to be done as
4546 root. There will be further calls later for each message received. */
4547
4548 #ifdef LOAD_AVG_NEEDS_ROOT
4549 if (  receiving_message
4550    && (queue_only_load >= 0 || (f.is_inetd && smtp_load_reserve >= 0)))
4551   load_average = OS_GETLOADAVG();
4552 #endif
4553
4554 /* The queue_only configuration option can be overridden by -odx on the command
4555 line, except that if queue_only_override is false, queue_only cannot be unset
4556 from the command line. */
4557
4558 if (queue_only_set && (queue_only_override || arg_queue_only))
4559   queue_only = arg_queue_only;
4560
4561 /* The receive_timeout and smtp_receive_timeout options can be overridden by
4562 -or and -os. */
4563
4564 if (arg_receive_timeout >= 0) receive_timeout = arg_receive_timeout;
4565 if (arg_smtp_receive_timeout >= 0)
4566   smtp_receive_timeout = arg_smtp_receive_timeout;
4567
4568 /* If Exim was started with root privilege, unless we have already removed the
4569 root privilege above as a result of -C, -D, -be, -bf or -bF, remove it now
4570 except when starting the daemon or doing some kind of delivery or address
4571 testing (-bt). These are the only cases when root need to be retained. We run
4572 as exim for -bv and -bh. However, if deliver_drop_privilege is set, root is
4573 retained only for starting the daemon. We always do the initgroups() in this
4574 situation (controlled by the TRUE below), in order to be as close as possible
4575 to the state Exim usually runs in. */
4576
4577 if (  !unprivileged                             /* originally had root AND */
4578    && !removed_privilege                        /* still got root AND      */
4579    && !f.daemon_listen                          /* not starting the daemon */
4580    && queue_interval <= 0                       /* (either kind of daemon) */
4581    && (                                         /*    AND EITHER           */
4582          deliver_drop_privilege                 /* requested unprivileged  */
4583       || (                                      /*       OR                */
4584             queue_interval < 0                  /* not running the queue   */
4585          && (  msg_action_arg < 0               /*       and               */
4586             || msg_action != MSG_DELIVER        /* not delivering          */
4587             )                                   /*       and               */
4588          && (!checking || !f.address_test_mode) /* not address checking    */
4589          && !rcpt_verify_quota                  /* and not quota checking  */
4590    )  )  )
4591   exim_setugid(exim_uid, exim_gid, TRUE, US"privilege not needed");
4592
4593 /* When we are retaining a privileged uid, we still change to the exim gid. */
4594
4595 else
4596   {
4597   int rv;
4598   DEBUG(D_any) debug_printf("dropping to exim gid; retaining priv uid\n");
4599   rv = setgid(exim_gid);
4600   /* Impact of failure is that some stuff might end up with an incorrect group.
4601   We track this for failures from root, since any attempt to change privilege
4602   by root should succeed and failures should be examined.  For non-root,
4603   there's no security risk.  For me, it's { exim -bV } on a just-built binary,
4604   no need to complain then. */
4605   if (rv == -1)
4606     if (!(unprivileged || removed_privilege))
4607       exim_fail("exim: changing group failed: %s\n", strerror(errno));
4608     else
4609       {
4610       DEBUG(D_any) debug_printf("changing group to %ld failed: %s\n",
4611           (long int)exim_gid, strerror(errno));
4612       }
4613   }
4614
4615 /* Handle a request to scan a file for malware */
4616 if (malware_test_file)
4617   {
4618 #ifdef WITH_CONTENT_SCAN
4619   int result;
4620   set_process_info("scanning file for malware");
4621   if ((result = malware_in_file(malware_test_file)) == FAIL)
4622     {
4623     printf("No malware found.\n");
4624     exit(EXIT_SUCCESS);
4625     }
4626   if (result != OK)
4627     {
4628     printf("Malware lookup returned non-okay/fail: %d\n", result);
4629     exit(EXIT_FAILURE);
4630     }
4631   if (malware_name)
4632     printf("Malware found: %s\n", malware_name);
4633   else
4634     printf("Malware scan detected malware of unknown name.\n");
4635 #else
4636   printf("Malware scanning not enabled at compile time.\n");
4637 #endif
4638   exit(EXIT_FAILURE);
4639   }
4640
4641 /* Handle a request to list the delivery queue */
4642
4643 if (list_queue)
4644   {
4645   set_process_info("listing the queue");
4646   queue_list(list_queue_option, argv + recipients_arg, argc - recipients_arg);
4647   exit(EXIT_SUCCESS);
4648   }
4649
4650 /* Handle a request to count the delivery queue */
4651
4652 if (count_queue)
4653   {
4654   set_process_info("counting the queue");
4655   fprintf(stdout, "%u\n", queue_count());
4656   exit(EXIT_SUCCESS);
4657   }
4658
4659 /* Handle actions on specific messages, except for the force delivery and
4660 message load actions, which are done below. Some actions take a whole list of
4661 message ids, which are known to continue up to the end of the arguments. Others
4662 take a single message id and then operate on the recipients list. */
4663
4664 if (msg_action_arg > 0 && msg_action != MSG_DELIVER && msg_action != MSG_LOAD)
4665   {
4666   int yield = EXIT_SUCCESS;
4667   set_process_info("acting on specified messages");
4668
4669   /* ACL definitions may be needed when removing a message (-Mrm) because
4670   event_action gets expanded */
4671
4672   if (msg_action == MSG_REMOVE)
4673     {
4674     int old_pool = store_pool;
4675     store_pool = POOL_CONFIG;
4676     readconf_rest();
4677     store_pool = old_pool;
4678     store_writeprotect(POOL_CONFIG);
4679     }
4680
4681   if (!one_msg_action)
4682     {
4683     for (i = msg_action_arg; i < argc; i++)
4684       if (!queue_action(argv[i], msg_action, NULL, 0, 0))
4685         yield = EXIT_FAILURE;
4686     switch (msg_action)
4687       {
4688       case MSG_REMOVE: case MSG_FREEZE: case MSG_THAW: break;
4689       default: printf("\n"); break;
4690       }
4691     }
4692
4693   else if (!queue_action(argv[msg_action_arg], msg_action, argv, argc,
4694     recipients_arg)) yield = EXIT_FAILURE;
4695   exit(yield);
4696   }
4697
4698 /* We used to set up here to skip reading the ACL section, on
4699  (msg_action_arg > 0 || (queue_interval == 0 && !f.daemon_listen)
4700 Now, since the intro of the ${acl } expansion, ACL definitions may be
4701 needed in transports so we lost the optimisation. */
4702
4703   {
4704   int old_pool = store_pool;
4705 #ifdef MEASURE_TIMING
4706   struct timeval t0;
4707   (void)gettimeofday(&t0, NULL);
4708 #endif
4709
4710   store_pool = POOL_CONFIG;
4711   readconf_rest();
4712   store_pool = old_pool;
4713
4714   /* -be can add macro definitions, needing to link to the macro structure
4715   chain.  Otherwise, make the memory used for config data readonly. */
4716
4717   if (!expansion_test)
4718     store_writeprotect(POOL_CONFIG);
4719
4720 #ifdef MEASURE_TIMING
4721   report_time_since(&t0, US"readconf_rest (delta)");
4722 #endif
4723   }
4724
4725 /* Handle a request to check quota */
4726 if (rcpt_verify_quota)
4727   if (real_uid != root_uid && real_uid != exim_uid)
4728     exim_fail("exim: Permission denied\n");
4729   else if (recipients_arg >= argc)
4730     exim_fail("exim: missing recipient for quota check\n");
4731   else
4732     {
4733     verify_quota(argv[recipients_arg]);
4734     exim_exit(EXIT_SUCCESS);
4735     }
4736
4737 /* Handle the -brt option. This is for checking out retry configurations.
4738 The next three arguments are a domain name or a complete address, and
4739 optionally two error numbers. All it does is to call the function that
4740 scans the retry configuration data. */
4741
4742 if (test_retry_arg >= 0)
4743   {
4744   retry_config *yield;
4745   int basic_errno = 0;
4746   int more_errno = 0;
4747   const uschar *s1, *s2;
4748
4749   if (test_retry_arg >= argc)
4750     {
4751     printf("-brt needs a domain or address argument\n");
4752     exim_exit(EXIT_FAILURE);
4753     }
4754   s1 = exim_str_fail_toolong(argv[test_retry_arg++], EXIM_EMAILADDR_MAX, "-brt");
4755   s2 = NULL;
4756
4757   /* If the first argument contains no @ and no . it might be a local user
4758   or it might be a single-component name. Treat as a domain. */
4759
4760   if (Ustrchr(s1, '@') == NULL && Ustrchr(s1, '.') == NULL)
4761     {
4762     printf("Warning: \"%s\" contains no '@' and no '.' characters. It is "
4763       "being \ntreated as a one-component domain, not as a local part.\n\n",
4764       s1);
4765     }
4766
4767   /* There may be an optional second domain arg. */
4768
4769   if (test_retry_arg < argc && Ustrchr(argv[test_retry_arg], '.') != NULL)
4770     s2 = exim_str_fail_toolong(argv[test_retry_arg++], EXIM_DOMAINNAME_MAX, "-brt 2nd");
4771
4772   /* The final arg is an error name */
4773
4774   if (test_retry_arg < argc)
4775     {
4776     const uschar *ss = exim_str_fail_toolong(argv[test_retry_arg], EXIM_DRIVERNAME_MAX, "-brt 3rd");
4777     uschar *error =
4778       readconf_retry_error(ss, ss + Ustrlen(ss), &basic_errno, &more_errno);
4779     if (error != NULL)
4780       {
4781       printf("%s\n", CS error);
4782       return EXIT_FAILURE;
4783       }
4784
4785     /* For the {MAIL,RCPT,DATA}_4xx errors, a value of 255 means "any", and a
4786     code > 100 as an error is for matching codes to the decade. Turn them into
4787     a real error code, off the decade. */
4788
4789     if (basic_errno == ERRNO_MAIL4XX ||
4790         basic_errno == ERRNO_RCPT4XX ||
4791         basic_errno == ERRNO_DATA4XX)
4792       {
4793       int code = (more_errno >> 8) & 255;
4794       if (code == 255)
4795         more_errno = (more_errno & 0xffff00ff) | (21 << 8);
4796       else if (code > 100)
4797         more_errno = (more_errno & 0xffff00ff) | ((code - 96) << 8);
4798       }
4799     }
4800
4801   if (!(yield = retry_find_config(s1, s2, basic_errno, more_errno)))
4802     printf("No retry information found\n");
4803   else
4804     {
4805     more_errno = yield->more_errno;
4806     printf("Retry rule: %s  ", yield->pattern);
4807
4808     if (yield->basic_errno == ERRNO_EXIMQUOTA)
4809       {
4810       printf("quota%s%s  ",
4811         (more_errno > 0)? "_" : "",
4812         (more_errno > 0)? readconf_printtime(more_errno) : US"");
4813       }
4814     else if (yield->basic_errno == ECONNREFUSED)
4815       {
4816       printf("refused%s%s  ",
4817         (more_errno > 0)? "_" : "",
4818         (more_errno == 'M')? "MX" :
4819         (more_errno == 'A')? "A" : "");
4820       }
4821     else if (yield->basic_errno == ETIMEDOUT)
4822       {
4823       printf("timeout");
4824       if ((more_errno & RTEF_CTOUT) != 0) printf("_connect");
4825       more_errno &= 255;
4826       if (more_errno != 0) printf("_%s",
4827         (more_errno == 'M')? "MX" : "A");
4828       printf("  ");
4829       }
4830     else if (yield->basic_errno == ERRNO_AUTHFAIL)
4831       printf("auth_failed  ");
4832     else printf("*  ");
4833
4834     for (retry_rule * r = yield->rules; r; r = r->next)
4835       {
4836       printf("%c,%s", r->rule, readconf_printtime(r->timeout)); /* Do not */
4837       printf(",%s", readconf_printtime(r->p1));                 /* amalgamate */
4838       if (r->rule == 'G')
4839         {
4840         int x = r->p2;
4841         int f = x % 1000;
4842         int d = 100;
4843         printf(",%d.", x/1000);
4844         do
4845           {
4846           printf("%d", f/d);
4847           f %= d;
4848           d /= 10;
4849           }
4850         while (f != 0);
4851         }
4852       printf("; ");
4853       }
4854
4855     printf("\n");
4856     }
4857   exim_exit(EXIT_SUCCESS);
4858   }
4859
4860 /* Handle a request to list one or more configuration options */
4861 /* If -n was set, we suppress some information */
4862
4863 if (list_options)
4864   {
4865   BOOL fail = FALSE;
4866   set_process_info("listing variables");
4867   if (recipients_arg >= argc)
4868     fail = !readconf_print(US"all", NULL, flag_n);
4869   else for (i = recipients_arg; i < argc; i++)
4870     {
4871     if (i < argc - 1 &&
4872         (Ustrcmp(argv[i], "router") == 0 ||
4873          Ustrcmp(argv[i], "transport") == 0 ||
4874          Ustrcmp(argv[i], "authenticator") == 0 ||
4875          Ustrcmp(argv[i], "macro") == 0 ||
4876          Ustrcmp(argv[i], "environment") == 0))
4877       {
4878       fail |= !readconf_print(exim_str_fail_toolong(argv[i+1], EXIM_DRIVERNAME_MAX, "-bP name"), argv[i], flag_n);
4879       i++;
4880       }
4881     else
4882       fail = !readconf_print(exim_str_fail_toolong(argv[i], EXIM_DRIVERNAME_MAX, "-bP item"), NULL, flag_n);
4883     }
4884   exim_exit(fail ? EXIT_FAILURE : EXIT_SUCCESS);
4885   }
4886
4887 if (list_config)
4888   {
4889   set_process_info("listing config");
4890   exim_exit(readconf_print(US"config", NULL, flag_n)
4891                 ? EXIT_SUCCESS : EXIT_FAILURE);
4892   }
4893
4894
4895 /* Initialise subsystems as required. */
4896
4897 tcp_init();
4898
4899 /* Handle a request to deliver one or more messages that are already on the
4900 queue. Values of msg_action other than MSG_DELIVER and MSG_LOAD are dealt with
4901 above. MSG_LOAD is handled with -be (which is the only time it applies) below.
4902
4903 Delivery of specific messages is typically used for a small number when
4904 prodding by hand (when the option forced_delivery will be set) or when
4905 re-execing to regain root privilege. Each message delivery must happen in a
4906 separate process, so we fork a process for each one, and run them sequentially
4907 so that debugging output doesn't get intertwined, and to avoid spawning too
4908 many processes if a long list is given. However, don't fork for the last one;
4909 this saves a process in the common case when Exim is called to deliver just one
4910 message. */
4911
4912 if (msg_action_arg > 0 && msg_action != MSG_LOAD)
4913   {
4914   if (prod_requires_admin && !f.admin_user)
4915     {
4916     fprintf(stderr, "exim: Permission denied\n");
4917     exim_exit(EXIT_FAILURE);
4918     }
4919   set_process_info("delivering specified messages");
4920   if (deliver_give_up) forced_delivery = f.deliver_force_thaw = TRUE;
4921   for (i = msg_action_arg; i < argc; i++)
4922     {
4923     int status;
4924     pid_t pid;
4925     /*XXX This use of argv[i] for msg_id should really be tainted, but doing
4926     that runs into a later copy into the untainted global message_id[] */
4927     /*XXX Do we need a length limit check here? */
4928     if (i == argc - 1)
4929       (void)deliver_message(argv[i], forced_delivery, deliver_give_up);
4930     else if ((pid = exim_fork(US"cmdline-delivery")) == 0)
4931       {
4932       (void)deliver_message(argv[i], forced_delivery, deliver_give_up);
4933       exim_underbar_exit(EXIT_SUCCESS);
4934       }
4935     else if (pid < 0)
4936       {
4937       fprintf(stderr, "failed to fork delivery process for %s: %s\n", argv[i],
4938         strerror(errno));
4939       exim_exit(EXIT_FAILURE);
4940       }
4941     else wait(&status);
4942     }
4943   exim_exit(EXIT_SUCCESS);
4944   }
4945
4946
4947 /* If only a single queue run is requested, without SMTP listening, we can just
4948 turn into a queue runner, with an optional starting message id. */
4949
4950 if (queue_interval == 0 && !f.daemon_listen)
4951   {
4952   DEBUG(D_queue_run) debug_printf("Single queue run%s%s%s%s\n",
4953     start_queue_run_id ? US" starting at " : US"",
4954     start_queue_run_id ? start_queue_run_id: US"",
4955     stop_queue_run_id ?  US" stopping at " : US"",
4956     stop_queue_run_id ?  stop_queue_run_id : US"");
4957   if (*queue_name)
4958     set_process_info("running the '%s' queue (single queue run)", queue_name);
4959   else
4960     set_process_info("running the queue (single queue run)");
4961   queue_run(start_queue_run_id, stop_queue_run_id, FALSE);
4962   exim_exit(EXIT_SUCCESS);
4963   }
4964
4965
4966 /* Find the login name of the real user running this process. This is always
4967 needed when receiving a message, because it is written into the spool file. It
4968 may also be used to construct a from: or a sender: header, and in this case we
4969 need the user's full name as well, so save a copy of it, checked for RFC822
4970 syntax and munged if necessary, if it hasn't previously been set by the -F
4971 argument. We may try to get the passwd entry more than once, in case NIS or
4972 other delays are in evidence. Save the home directory for use in filter testing
4973 (only). */
4974
4975 for (i = 0;;)
4976   {
4977   if ((pw = getpwuid(real_uid)) != NULL)
4978     {
4979     originator_login = string_copy(US pw->pw_name);
4980     originator_home = string_copy(US pw->pw_dir);
4981
4982     /* If user name has not been set by -F, set it from the passwd entry
4983     unless -f has been used to set the sender address by a trusted user. */
4984
4985     if (!originator_name)
4986       {
4987       if (!sender_address || (!f.trusted_caller && filter_test == FTEST_NONE))
4988         {
4989         uschar *name = US pw->pw_gecos;
4990         uschar *amp = Ustrchr(name, '&');
4991         uschar buffer[256];
4992
4993         /* Most Unix specify that a '&' character in the gecos field is
4994         replaced by a copy of the login name, and some even specify that
4995         the first character should be upper cased, so that's what we do. */
4996
4997         if (amp)
4998           {
4999           int loffset;
5000           string_format(buffer, sizeof(buffer), "%.*s%n%s%s",
5001             (int)(amp - name), name, &loffset, originator_login, amp + 1);
5002           buffer[loffset] = toupper(buffer[loffset]);
5003           name = buffer;
5004           }
5005
5006         /* If a pattern for matching the gecos field was supplied, apply
5007         it and then expand the name string. */
5008
5009         if (gecos_pattern && gecos_name)
5010           {
5011           const pcre2_code *re;
5012           re = regex_must_compile(gecos_pattern, MCS_NOFLAGS, TRUE); /* Use malloc */
5013
5014           if (regex_match_and_setup(re, name, 0, -1))
5015             {
5016             uschar *new_name = expand_string(gecos_name);
5017             expand_nmax = -1;
5018             if (new_name)
5019               {
5020               DEBUG(D_receive) debug_printf("user name \"%s\" extracted from "
5021                 "gecos field \"%s\"\n", new_name, name);
5022               name = new_name;
5023               }
5024             else DEBUG(D_receive) debug_printf("failed to expand gecos_name string "
5025               "\"%s\": %s\n", gecos_name, expand_string_message);
5026             }
5027           else DEBUG(D_receive) debug_printf("gecos_pattern \"%s\" did not match "
5028             "gecos field \"%s\"\n", gecos_pattern, name);
5029           store_free((void *)re);
5030           }
5031         originator_name = string_copy(name);
5032         }
5033
5034       /* A trusted caller has used -f but not -F */
5035
5036       else originator_name = US"";
5037       }
5038
5039     /* Break the retry loop */
5040
5041     break;
5042     }
5043
5044   if (++i > finduser_retries) break;
5045   sleep(1);
5046   }
5047
5048 /* If we cannot get a user login, log the incident and give up, unless the
5049 configuration specifies something to use. When running in the test harness,
5050 any setting of unknown_login overrides the actual name. */
5051
5052 if (!originator_login || f.running_in_test_harness)
5053   {
5054   if (unknown_login)
5055     {
5056     originator_login = expand_string(unknown_login);
5057     if (!originator_name && unknown_username)
5058       originator_name = expand_string(unknown_username);
5059     if (!originator_name) originator_name = US"";
5060     }
5061   if (!originator_login)
5062     log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Failed to get user name for uid %d",
5063       (int)real_uid);
5064   }
5065
5066 /* Ensure that the user name is in a suitable form for use as a "phrase" in an
5067 RFC822 address.*/
5068
5069 originator_name = US parse_fix_phrase(originator_name, Ustrlen(originator_name));
5070
5071 /* If a message is created by this call of Exim, the uid/gid of its originator
5072 are those of the caller. These values are overridden if an existing message is
5073 read in from the spool. */
5074
5075 originator_uid = real_uid;
5076 originator_gid = real_gid;
5077
5078 DEBUG(D_receive) debug_printf("originator: uid=%d gid=%d login=%s name=%s\n",
5079   (int)originator_uid, (int)originator_gid, originator_login, originator_name);
5080
5081 /* Run in daemon and/or queue-running mode. The function daemon_go() never
5082 returns. We leave this till here so that the originator_ fields are available
5083 for incoming messages via the daemon. The daemon cannot be run in mua_wrapper
5084 mode. */
5085
5086 if (f.daemon_listen || f.inetd_wait_mode || queue_interval > 0)
5087   {
5088   if (mua_wrapper)
5089     {
5090     fprintf(stderr, "Daemon cannot be run when mua_wrapper is set\n");
5091     log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Daemon cannot be run when "
5092       "mua_wrapper is set");
5093     }
5094
5095 # ifndef DISABLE_TLS
5096   /* This also checks that the library linkage is working and we can call
5097   routines in it, so call even if tls_require_ciphers is unset */
5098     {
5099 # ifdef MEASURE_TIMING
5100     struct timeval t0;
5101     (void)gettimeofday(&t0, NULL);
5102 # endif
5103     if (!tls_dropprivs_validate_require_cipher(FALSE))
5104       exit(1);
5105 # ifdef MEASURE_TIMING
5106     report_time_since(&t0, US"validate_ciphers (delta)");
5107 # endif
5108     }
5109 #endif
5110
5111   daemon_go();
5112   }
5113
5114 /* If the sender ident has not been set (by a trusted caller) set it to
5115 the caller. This will get overwritten below for an inetd call. If a trusted
5116 caller has set it empty, unset it. */
5117
5118 if (!sender_ident) sender_ident = originator_login;
5119 else if (!*sender_ident) sender_ident = NULL;
5120
5121 /* Handle the -brw option, which is for checking out rewriting rules. Cause log
5122 writes (on errors) to go to stderr instead. Can't do this earlier, as want the
5123 originator_* variables set. */
5124
5125 if (test_rewrite_arg >= 0)
5126   {
5127   f.really_exim = FALSE;
5128   if (test_rewrite_arg >= argc)
5129     {
5130     printf("-brw needs an address argument\n");
5131     exim_exit(EXIT_FAILURE);
5132     }
5133   rewrite_test(exim_str_fail_toolong(argv[test_rewrite_arg], EXIM_EMAILADDR_MAX, "-brw"));
5134   exim_exit(EXIT_SUCCESS);
5135   }
5136
5137 /* A locally-supplied message is considered to be coming from a local user
5138 unless a trusted caller supplies a sender address with -f, or is passing in the
5139 message via SMTP (inetd invocation or otherwise). */
5140
5141 if (  !sender_address && !smtp_input
5142    || !f.trusted_caller && filter_test == FTEST_NONE)
5143   {
5144   f.sender_local = TRUE;
5145
5146   /* A trusted caller can supply authenticated_sender and authenticated_id
5147   via -oMas and -oMai and if so, they will already be set. Otherwise, force
5148   defaults except when host checking. */
5149
5150   if (!authenticated_sender && !host_checking)
5151     authenticated_sender = string_sprintf("%s@%s", originator_login,
5152       qualify_domain_sender);
5153   if (!authenticated_id && !host_checking)
5154     authenticated_id = originator_login;
5155   }
5156
5157 /* Trusted callers are always permitted to specify the sender address.
5158 Untrusted callers may specify it if it matches untrusted_set_sender, or if what
5159 is specified is the empty address. However, if a trusted caller does not
5160 specify a sender address for SMTP input, we leave sender_address unset. This
5161 causes the MAIL commands to be honoured. */
5162
5163 if (  !smtp_input && !sender_address
5164    || !receive_check_set_sender(sender_address))
5165   {
5166   /* Either the caller is not permitted to set a general sender, or this is
5167   non-SMTP input and the trusted caller has not set a sender. If there is no
5168   sender, or if a sender other than <> is set, override with the originator's
5169   login (which will get qualified below), except when checking things. */
5170
5171   if (  !sender_address                  /* No sender_address set */
5172      ||                                  /*         OR            */
5173        (sender_address[0] != 0 &&        /* Non-empty sender address, AND */
5174        !checking))                       /* Not running tests, including filter tests */
5175     {
5176     sender_address = originator_login;
5177     f.sender_address_forced = FALSE;
5178     sender_address_domain = 0;
5179     }
5180   }
5181
5182 /* Remember whether an untrusted caller set the sender address */
5183
5184 f.sender_set_untrusted = sender_address != originator_login && !f.trusted_caller;
5185
5186 /* Ensure that the sender address is fully qualified unless it is the empty
5187 address, which indicates an error message, or doesn't exist (root caller, smtp
5188 interface, no -f argument). */
5189
5190 if (sender_address && *sender_address && sender_address_domain == 0)
5191   sender_address = string_sprintf("%s@%s", local_part_quote(sender_address),
5192     qualify_domain_sender);
5193
5194 DEBUG(D_receive) debug_printf("sender address = %s\n", sender_address);
5195
5196 /* Handle a request to verify a list of addresses, or test them for delivery.
5197 This must follow the setting of the sender address, since routers can be
5198 predicated upon the sender. If no arguments are given, read addresses from
5199 stdin. Set debug_level to at least D_v to get full output for address testing.
5200 */
5201
5202 if (verify_address_mode || f.address_test_mode)
5203   {
5204   int exit_value = 0;
5205   int flags = vopt_qualify;
5206
5207   if (verify_address_mode)
5208     {
5209     if (!verify_as_sender) flags |= vopt_is_recipient;
5210     DEBUG(D_verify) debug_print_ids(US"Verifying:");
5211     }
5212
5213   else
5214     {
5215     flags |= vopt_is_recipient;
5216     debug_selector |= D_v;
5217     debug_file = stderr;
5218     debug_fd = fileno(debug_file);
5219     DEBUG(D_verify) debug_print_ids(US"Address testing:");
5220     }
5221
5222   if (recipients_arg < argc)
5223     while (recipients_arg < argc)
5224       {
5225       /* Supplied addresses are tainted since they come from a user */
5226       uschar * s = string_copy_taint(
5227         exim_str_fail_toolong(argv[recipients_arg++], EXIM_DISPLAYMAIL_MAX, "address verification"),
5228         GET_TAINTED);
5229       while (*s)
5230         {
5231         BOOL finished = FALSE;
5232         uschar *ss = parse_find_address_end(s, FALSE);
5233         if (*ss == ',') *ss = 0; else finished = TRUE;
5234         test_address(s, flags, &exit_value);
5235         s = ss;
5236         if (!finished)
5237           while (*++s == ',' || isspace(*s)) ;
5238         }
5239       }
5240
5241   else for (;;)
5242     {
5243     uschar * s = get_stdinput(NULL, NULL);
5244     if (!s) break;
5245     test_address(string_copy_taint(
5246         exim_str_fail_toolong(s, EXIM_DISPLAYMAIL_MAX, "address verification (stdin)"),
5247         GET_TAINTED),
5248       flags, &exit_value);
5249     }
5250
5251   route_tidyup();
5252   exim_exit(exit_value);
5253   }
5254
5255 /* Handle expansion checking. Either expand items on the command line, or read
5256 from stdin if there aren't any. If -Mset was specified, load the message so
5257 that its variables can be used, but restrict this facility to admin users.
5258 Otherwise, if -bem was used, read a message from stdin. */
5259
5260 if (expansion_test)
5261   {
5262   dns_init(FALSE, FALSE, FALSE);
5263   if (msg_action_arg > 0 && msg_action == MSG_LOAD)
5264     {
5265     uschar * spoolname;
5266     if (!f.admin_user)
5267       exim_fail("exim: permission denied\n");
5268     message_id = US exim_str_fail_toolong(argv[msg_action_arg], MESSAGE_ID_LENGTH, "message-id");
5269     /* Checking the length of the ID is sufficient to validate it.
5270     Get an untainted version so file opens can be done. */
5271     message_id = string_copy_taint(message_id, GET_UNTAINTED);
5272
5273     spoolname = string_sprintf("%s-H", message_id);
5274     if ((deliver_datafile = spool_open_datafile(message_id)) < 0)
5275       printf ("Failed to load message datafile %s\n", message_id);
5276     if (spool_read_header(spoolname, TRUE, FALSE) != spool_read_OK)
5277       printf ("Failed to load message %s\n", message_id);
5278     }
5279
5280   /* Read a test message from a file. We fudge it up to be on stdin, saving
5281   stdin itself for later reading of expansion strings. */
5282
5283   else if (expansion_test_message)
5284     {
5285     int save_stdin = dup(0);
5286     int fd = Uopen(expansion_test_message, O_RDONLY, 0);
5287     if (fd < 0)
5288       exim_fail("exim: failed to open %s: %s\n", expansion_test_message,
5289         strerror(errno));
5290     (void) dup2(fd, 0);
5291     filter_test = FTEST_USER;      /* Fudge to make it look like filter test */
5292     message_ended = END_NOTENDED;
5293     read_message_body(receive_msg(extract_recipients));
5294     message_linecount += body_linecount;
5295     (void)dup2(save_stdin, 0);
5296     (void)close(save_stdin);
5297     clearerr(stdin);               /* Required by Darwin */
5298     }
5299
5300   /* Only admin users may see config-file macros this way */
5301
5302   if (!f.admin_user) macros_user = macros = mlast = NULL;
5303
5304   /* Allow $recipients for this testing */
5305
5306   f.enable_dollar_recipients = TRUE;
5307
5308   /* Expand command line items */
5309
5310   if (recipients_arg < argc)
5311     while (recipients_arg < argc)
5312       expansion_test_line(exim_str_fail_toolong(argv[recipients_arg++], EXIM_EMAILADDR_MAX, "recipient"));
5313
5314   /* Read stdin */
5315
5316   else
5317     {
5318     char *(*fn_readline)(const char *) = NULL;
5319     void (*fn_addhist)(const char *) = NULL;
5320     uschar * s;
5321
5322 #ifdef USE_READLINE
5323     void *dlhandle = set_readline(&fn_readline, &fn_addhist);
5324 #endif
5325
5326     while (s = get_stdinput(fn_readline, fn_addhist))
5327       expansion_test_line(s);
5328
5329 #ifdef USE_READLINE
5330     if (dlhandle) dlclose(dlhandle);
5331 #endif
5332     }
5333
5334   /* The data file will be open after -Mset */
5335
5336   if (deliver_datafile >= 0)
5337     {
5338     (void)close(deliver_datafile);
5339     deliver_datafile = -1;
5340     }
5341
5342   exim_exit(EXIT_SUCCESS);
5343   }
5344
5345
5346 /* The active host name is normally the primary host name, but it can be varied
5347 for hosts that want to play several parts at once. We need to ensure that it is
5348 set for host checking, and for receiving messages. */
5349
5350 smtp_active_hostname = primary_hostname;
5351 if (raw_active_hostname != NULL)
5352   {
5353   uschar *nah = expand_string(raw_active_hostname);
5354   if (nah == NULL)
5355     {
5356     if (!f.expand_string_forcedfail)
5357       log_write(0, LOG_MAIN|LOG_PANIC_DIE, "failed to expand \"%s\" "
5358         "(smtp_active_hostname): %s", raw_active_hostname,
5359         expand_string_message);
5360     }
5361   else if (nah[0] != 0) smtp_active_hostname = nah;
5362   }
5363
5364 /* Handle host checking: this facility mocks up an incoming SMTP call from a
5365 given IP address so that the blocking and relay configuration can be tested.
5366 Unless a sender_ident was set by -oMt, we discard it (the default is the
5367 caller's login name). An RFC 1413 call is made only if we are running in the
5368 test harness and an incoming interface and both ports are specified, because
5369 there is no TCP/IP call to find the ident for. */
5370
5371 if (host_checking)
5372   {
5373   int x[4];
5374   int size;
5375
5376   if (!sender_ident_set)
5377     {
5378     sender_ident = NULL;
5379     if (f.running_in_test_harness && sender_host_port
5380        && interface_address && interface_port)
5381       verify_get_ident(1223);           /* note hardwired port number */
5382     }
5383
5384   /* In case the given address is a non-canonical IPv6 address, canonicalize
5385   it. The code works for both IPv4 and IPv6, as it happens. */
5386
5387   size = host_aton(sender_host_address, x);
5388   sender_host_address = store_get(48, GET_UNTAINTED);  /* large enough for full IPv6 */
5389   (void)host_nmtoa(size, x, -1, sender_host_address, ':');
5390
5391   /* Now set up for testing */
5392
5393   host_build_sender_fullhost();
5394   smtp_input = TRUE;
5395   smtp_in = stdin;
5396   smtp_out = stdout;
5397   f.sender_local = FALSE;
5398   f.sender_host_notsocket = TRUE;
5399   debug_file = stderr;
5400   debug_fd = fileno(debug_file);
5401   fprintf(stdout, "\n**** SMTP testing session as if from host %s\n"
5402     "**** but without any ident (RFC 1413) callback.\n"
5403     "**** This is not for real!\n\n",
5404       sender_host_address);
5405
5406   memset(sender_host_cache, 0, sizeof(sender_host_cache));
5407   if (verify_check_host(&hosts_connection_nolog) == OK)
5408     {
5409     BIT_CLEAR(log_selector, log_selector_size, Li_smtp_connection);
5410     BIT_CLEAR(log_selector, log_selector_size, Li_smtp_no_mail);
5411     }
5412   log_write(L_smtp_connection, LOG_MAIN, "%s", smtp_get_connection_info());
5413
5414   /* NOTE: We do *not* call smtp_log_no_mail() if smtp_start_session() fails,
5415   because a log line has already been written for all its failure exists
5416   (usually "connection refused: <reason>") and writing another one is
5417   unnecessary clutter. */
5418
5419   if (smtp_start_session())
5420     {
5421     rmark reset_point;
5422     for (; (reset_point = store_mark()); store_reset(reset_point))
5423       {
5424       if (smtp_setup_msg() <= 0) break;
5425       if (!receive_msg(FALSE)) break;
5426
5427       return_path = sender_address = NULL;
5428       dnslist_domain = dnslist_matched = NULL;
5429 #ifndef DISABLE_DKIM
5430       dkim_cur_signer = NULL;
5431 #endif
5432       acl_var_m = NULL;
5433       deliver_localpart_orig = NULL;
5434       deliver_domain_orig = NULL;
5435       callout_address = sending_ip_address = NULL;
5436       deliver_localpart_data = deliver_domain_data =
5437       recipient_data = sender_data = NULL;
5438       sender_rate = sender_rate_limit = sender_rate_period = NULL;
5439       }
5440     smtp_log_no_mail();
5441     }
5442   exim_exit(EXIT_SUCCESS);
5443   }
5444
5445
5446 /* Arrange for message reception if recipients or SMTP were specified;
5447 otherwise complain unless a version print (-bV) happened or this is a filter
5448 verification test or info dump.
5449 In the former case, show the configuration file name. */
5450
5451 if (recipients_arg >= argc && !extract_recipients && !smtp_input)
5452   {
5453   if (version_printed)
5454     {
5455     if (Ustrchr(config_main_filelist, ':'))
5456       printf("Configuration file search path is %s\n", config_main_filelist);
5457     printf("Configuration file is %s\n", config_main_filename);
5458     return EXIT_SUCCESS;
5459     }
5460
5461   if (info_flag != CMDINFO_NONE)
5462     {
5463     show_exim_information(info_flag, info_stdout ? stdout : stderr);
5464     return info_stdout ? EXIT_SUCCESS : EXIT_FAILURE;
5465     }
5466
5467   if (filter_test == FTEST_NONE)
5468     exim_usage(called_as);
5469   }
5470
5471
5472 /* If mua_wrapper is set, Exim is being used to turn an MUA that submits on the
5473 standard input into an MUA that submits to a smarthost over TCP/IP. We know
5474 that we are not called from inetd, because that is rejected above. The
5475 following configuration settings are forced here:
5476
5477   (1) Synchronous delivery (-odi)
5478   (2) Errors to stderr (-oep == -oeq)
5479   (3) No parallel remote delivery
5480   (4) Unprivileged delivery
5481
5482 We don't force overall queueing options because there are several of them;
5483 instead, queueing is avoided below when mua_wrapper is set. However, we do need
5484 to override any SMTP queueing. */
5485
5486 if (mua_wrapper)
5487   {
5488   f.synchronous_delivery = TRUE;
5489   arg_error_handling = ERRORS_STDERR;
5490   remote_max_parallel = 1;
5491   deliver_drop_privilege = TRUE;
5492   f.queue_smtp = FALSE;
5493   queue_smtp_domains = NULL;
5494 #ifdef SUPPORT_I18N
5495   message_utf8_downconvert = -1;        /* convert-if-needed */
5496 #endif
5497   }
5498
5499
5500 /* Prepare to accept one or more new messages on the standard input. When a
5501 message has been read, its id is returned in message_id[]. If doing immediate
5502 delivery, we fork a delivery process for each received message, except for the
5503 last one, where we can save a process switch.
5504
5505 It is only in non-smtp mode that error_handling is allowed to be changed from
5506 its default of ERRORS_SENDER by argument. (Idle thought: are any of the
5507 sendmail error modes other than -oem ever actually used? Later: yes.) */
5508
5509 if (!smtp_input) error_handling = arg_error_handling;
5510
5511 /* If this is an inetd call, ensure that stderr is closed to prevent panic
5512 logging being sent down the socket and make an identd call to get the
5513 sender_ident. */
5514
5515 else if (f.is_inetd)
5516   {
5517   (void)fclose(stderr);
5518   exim_nullstd();                       /* Re-open to /dev/null */
5519   verify_get_ident(IDENT_PORT);
5520   host_build_sender_fullhost();
5521   set_process_info("handling incoming connection from %s via inetd",
5522     sender_fullhost);
5523   }
5524
5525 /* If the sender host address has been set, build sender_fullhost if it hasn't
5526 already been done (which it will have been for inetd). This caters for the
5527 case when it is forced by -oMa. However, we must flag that it isn't a socket,
5528 so that the test for IP options is skipped for -bs input. */
5529
5530 if (sender_host_address && !sender_fullhost)
5531   {
5532   host_build_sender_fullhost();
5533   set_process_info("handling incoming connection from %s via -oMa",
5534     sender_fullhost);
5535   f.sender_host_notsocket = TRUE;
5536   }
5537
5538 /* Otherwise, set the sender host as unknown except for inetd calls. This
5539 prevents host checking in the case of -bs not from inetd and also for -bS. */
5540
5541 else if (!f.is_inetd) f.sender_host_unknown = TRUE;
5542
5543 /* If stdout does not exist, then dup stdin to stdout. This can happen
5544 if exim is started from inetd. In this case fd 0 will be set to the socket,
5545 but fd 1 will not be set. This also happens for passed SMTP channels. */
5546
5547 if (fstat(1, &statbuf) < 0) (void)dup2(0, 1);
5548
5549 /* Set up the incoming protocol name and the state of the program. Root is
5550 allowed to force received protocol via the -oMr option above. If we have come
5551 via inetd, the process info has already been set up. We don't set
5552 received_protocol here for smtp input, as it varies according to
5553 batch/HELO/EHLO/AUTH/TLS. */
5554
5555 if (smtp_input)
5556   {
5557   if (!f.is_inetd) set_process_info("accepting a local %sSMTP message from <%s>",
5558     smtp_batched_input? "batched " : "",
5559     sender_address ? sender_address : originator_login);
5560   }
5561 else
5562   {
5563   int old_pool = store_pool;
5564   store_pool = POOL_PERM;
5565   if (!received_protocol)
5566     received_protocol = string_sprintf("local%s", called_as);
5567   store_pool = old_pool;
5568   set_process_info("accepting a local non-SMTP message from <%s>",
5569     sender_address);
5570   }
5571
5572 /* Initialize the session_local_queue-only flag (this will be ignored if
5573 mua_wrapper is set) */
5574
5575 queue_check_only();
5576 session_local_queue_only = queue_only;
5577
5578 /* For non-SMTP and for batched SMTP input, check that there is enough space on
5579 the spool if so configured. On failure, we must not attempt to send an error
5580 message! (For interactive SMTP, the check happens at MAIL FROM and an SMTP
5581 error code is given.) */
5582
5583 if ((!smtp_input || smtp_batched_input) && !receive_check_fs(0))
5584   exim_fail("exim: insufficient disk space\n");
5585
5586 /* If this is smtp input of any kind, real or batched, handle the start of the
5587 SMTP session.
5588
5589 NOTE: We do *not* call smtp_log_no_mail() if smtp_start_session() fails,
5590 because a log line has already been written for all its failure exists
5591 (usually "connection refused: <reason>") and writing another one is
5592 unnecessary clutter. */
5593
5594 if (smtp_input)
5595   {
5596   smtp_in = stdin;
5597   smtp_out = stdout;
5598   memset(sender_host_cache, 0, sizeof(sender_host_cache));
5599   if (verify_check_host(&hosts_connection_nolog) == OK)
5600     {
5601     BIT_CLEAR(log_selector, log_selector_size, Li_smtp_connection);
5602     BIT_CLEAR(log_selector, log_selector_size, Li_smtp_no_mail);
5603     }
5604   log_write(L_smtp_connection, LOG_MAIN, "%s", smtp_get_connection_info());
5605   if (!smtp_start_session())
5606     {
5607     mac_smtp_fflush();
5608     exim_exit(EXIT_SUCCESS);
5609     }
5610   }
5611
5612 /* Otherwise, set up the input size limit here and set no stdin stdio buffer
5613 (we handle buferring so as to have visibility of fill level). */
5614
5615 else
5616   {
5617   thismessage_size_limit = expand_string_integer(message_size_limit, TRUE);
5618   if (expand_string_message)
5619     if (thismessage_size_limit == -1)
5620       log_write(0, LOG_MAIN|LOG_PANIC_DIE, "failed to expand "
5621         "message_size_limit: %s", expand_string_message);
5622     else
5623       log_write(0, LOG_MAIN|LOG_PANIC_DIE, "invalid value for "
5624         "message_size_limit: %s", expand_string_message);
5625
5626   setvbuf(stdin, NULL, _IONBF, 0);
5627   }
5628
5629 /* Loop for several messages when reading SMTP input. If we fork any child
5630 processes, we don't want to wait for them unless synchronous delivery is
5631 requested, so set SIGCHLD to SIG_IGN in that case. This is not necessarily the
5632 same as SIG_DFL, despite the fact that documentation often lists the default as
5633 "ignore". This is a confusing area. This is what I know:
5634
5635 At least on some systems (e.g. Solaris), just setting SIG_IGN causes child
5636 processes that complete simply to go away without ever becoming defunct. You
5637 can't then wait for them - but we don't want to wait for them in the
5638 non-synchronous delivery case. However, this behaviour of SIG_IGN doesn't
5639 happen for all OS (e.g. *BSD is different).
5640
5641 But that's not the end of the story. Some (many? all?) systems have the
5642 SA_NOCLDWAIT option for sigaction(). This requests the behaviour that Solaris
5643 has by default, so it seems that the difference is merely one of default
5644 (compare restarting vs non-restarting signals).
5645
5646 To cover all cases, Exim sets SIG_IGN with SA_NOCLDWAIT here if it can. If not,
5647 it just sets SIG_IGN. To be on the safe side it also calls waitpid() at the end
5648 of the loop below. Paranoia rules.
5649
5650 February 2003: That's *still* not the end of the story. There are now versions
5651 of Linux (where SIG_IGN does work) that are picky. If, having set SIG_IGN, a
5652 process then calls waitpid(), a grumble is written to the system log, because
5653 this is logically inconsistent. In other words, it doesn't like the paranoia.
5654 As a consequence of this, the waitpid() below is now excluded if we are sure
5655 that SIG_IGN works. */
5656
5657 if (!f.synchronous_delivery)
5658   {
5659 #ifdef SA_NOCLDWAIT
5660   struct sigaction act;
5661   act.sa_handler = SIG_IGN;
5662   sigemptyset(&(act.sa_mask));
5663   act.sa_flags = SA_NOCLDWAIT;
5664   sigaction(SIGCHLD, &act, NULL);
5665 #else
5666   signal(SIGCHLD, SIG_IGN);
5667 #endif
5668   }
5669
5670 /* Save the current store pool point, for resetting at the start of
5671 each message, and save the real sender address, if any. */
5672
5673 real_sender_address = sender_address;
5674
5675 /* Loop to receive messages; receive_msg() returns TRUE if there are more
5676 messages to be read (SMTP input), or FALSE otherwise (not SMTP, or SMTP channel
5677 collapsed). */
5678
5679 for (BOOL more = TRUE; more; )
5680   {
5681   rmark reset_point = store_mark();
5682   message_id[0] = 0;
5683
5684   /* Handle the SMTP case; call smtp_setup_mst() to deal with the initial SMTP
5685   input and build the recipients list, before calling receive_msg() to read the
5686   message proper. Whatever sender address is given in the SMTP transaction is
5687   often ignored for local senders - we use the actual sender, which is normally
5688   either the underlying user running this process or a -f argument provided by
5689   a trusted caller. It is saved in real_sender_address. The test for whether to
5690   accept the SMTP sender is encapsulated in receive_check_set_sender(). */
5691
5692   if (smtp_input)
5693     {
5694     int rc;
5695     if ((rc = smtp_setup_msg()) > 0)
5696       {
5697       if (real_sender_address != NULL &&
5698           !receive_check_set_sender(sender_address))
5699         {
5700         sender_address = raw_sender = real_sender_address;
5701         sender_address_unrewritten = NULL;
5702         }
5703
5704       /* For batched SMTP, we have to run the acl_not_smtp_start ACL, since it
5705       isn't really SMTP, so no other ACL will run until the acl_not_smtp one at
5706       the very end. The result of the ACL is ignored (as for other non-SMTP
5707       messages). It is run for its potential side effects. */
5708
5709       if (smtp_batched_input && acl_not_smtp_start != NULL)
5710         {
5711         uschar *user_msg, *log_msg;
5712         f.enable_dollar_recipients = TRUE;
5713         (void)acl_check(ACL_WHERE_NOTSMTP_START, NULL, acl_not_smtp_start,
5714           &user_msg, &log_msg);
5715         f.enable_dollar_recipients = FALSE;
5716         }
5717
5718       /* Now get the data for the message */
5719
5720       more = receive_msg(extract_recipients);
5721       if (!message_id[0])
5722         {
5723         cancel_cutthrough_connection(TRUE, US"receive dropped");
5724         if (more) goto MORELOOP;
5725         smtp_log_no_mail();               /* Log no mail if configured */
5726         exim_exit(EXIT_FAILURE);
5727         }
5728       }
5729     else
5730       {
5731       cancel_cutthrough_connection(TRUE, US"message setup dropped");
5732       smtp_log_no_mail();               /* Log no mail if configured */
5733       exim_exit(rc ? EXIT_FAILURE : EXIT_SUCCESS);
5734       }
5735     }
5736
5737   /* In the non-SMTP case, we have all the information from the command
5738   line, but must process it in case it is in the more general RFC822
5739   format, and in any case, to detect syntax errors. Also, it appears that
5740   the use of comma-separated lists as single arguments is common, so we
5741   had better support them. */
5742
5743   else
5744     {
5745     int rcount = 0;
5746     int count = argc - recipients_arg;
5747     uschar **list = argv + recipients_arg;
5748
5749     /* These options cannot be changed dynamically for non-SMTP messages */
5750
5751     f.active_local_sender_retain = local_sender_retain;
5752     f.active_local_from_check = local_from_check;
5753
5754     /* Save before any rewriting */
5755
5756     raw_sender = string_copy(sender_address);
5757
5758     /* Loop for each argument (supplied by user hence tainted) */
5759
5760     for (int i = 0; i < count; i++)
5761       {
5762       int start, end, domain;
5763       uschar * errmess;
5764       /* There can be multiple addresses, so EXIM_DISPLAYMAIL_MAX (tuned for 1) is too short.
5765        * We'll still want to cap it to something, just in case. */
5766       uschar * s = string_copy_taint(
5767         exim_str_fail_toolong(list[i], BIG_BUFFER_SIZE, "address argument"),
5768         GET_TAINTED);
5769
5770       /* Loop for each comma-separated address */
5771
5772       while (*s)
5773         {
5774         BOOL finished = FALSE;
5775         uschar *recipient;
5776         uschar *ss = parse_find_address_end(s, FALSE);
5777
5778         if (*ss == ',') *ss = 0; else finished = TRUE;
5779
5780         /* Check max recipients - if -t was used, these aren't recipients */
5781
5782         if (recipients_max > 0 && ++rcount > recipients_max &&
5783             !extract_recipients)
5784           if (error_handling == ERRORS_STDERR)
5785             {
5786             fprintf(stderr, "exim: too many recipients\n");
5787             exim_exit(EXIT_FAILURE);
5788             }
5789           else
5790             return
5791               moan_to_sender(ERRMESS_TOOMANYRECIP, NULL, NULL, stdin, TRUE)?
5792                 errors_sender_rc : EXIT_FAILURE;
5793
5794 #ifdef SUPPORT_I18N
5795         {
5796         BOOL b = allow_utf8_domains;
5797         allow_utf8_domains = TRUE;
5798 #endif
5799         recipient =
5800           parse_extract_address(s, &errmess, &start, &end, &domain, FALSE);
5801
5802 #ifdef SUPPORT_I18N
5803         if (recipient)
5804           if (string_is_utf8(recipient)) message_smtputf8 = TRUE;
5805           else allow_utf8_domains = b;
5806         }
5807 #else
5808         ;
5809 #endif
5810         if (domain == 0 && !f.allow_unqualified_recipient)
5811           {
5812           recipient = NULL;
5813           errmess = US"unqualified recipient address not allowed";
5814           }
5815
5816         if (!recipient)
5817           if (error_handling == ERRORS_STDERR)
5818             {
5819             fprintf(stderr, "exim: bad recipient address \"%s\": %s\n",
5820               string_printing(list[i]), errmess);
5821             exim_exit(EXIT_FAILURE);
5822             }
5823           else
5824             {
5825             error_block eblock;
5826             eblock.next = NULL;
5827             eblock.text1 = string_printing(list[i]);
5828             eblock.text2 = errmess;
5829             return
5830               moan_to_sender(ERRMESS_BADARGADDRESS, &eblock, NULL, stdin, TRUE)?
5831                 errors_sender_rc : EXIT_FAILURE;
5832             }
5833
5834         receive_add_recipient(string_copy_taint(recipient, GET_TAINTED), -1);
5835         s = ss;
5836         if (!finished)
5837           while (*(++s) != 0 && (*s == ',' || isspace(*s)));
5838         }
5839       }
5840
5841     /* Show the recipients when debugging */
5842
5843     DEBUG(D_receive)
5844       {
5845       if (sender_address) debug_printf("Sender: %s\n", sender_address);
5846       if (recipients_list)
5847         {
5848         debug_printf("Recipients:\n");
5849         for (int i = 0; i < recipients_count; i++)
5850           debug_printf("  %s\n", recipients_list[i].address);
5851         }
5852       }
5853
5854     /* Run the acl_not_smtp_start ACL if required. The result of the ACL is
5855     ignored; rejecting here would just add complication, and it can just as
5856     well be done later. Allow $recipients to be visible in the ACL. */
5857
5858     if (acl_not_smtp_start)
5859       {
5860       uschar *user_msg, *log_msg;
5861       f.enable_dollar_recipients = TRUE;
5862       (void)acl_check(ACL_WHERE_NOTSMTP_START, NULL, acl_not_smtp_start,
5863         &user_msg, &log_msg);
5864       f.enable_dollar_recipients = FALSE;
5865       }
5866
5867     /* Pause for a while waiting for input.  If none received in that time,
5868     close the logfile, if we had one open; then if we wait for a long-running
5869     datasource (months, in one use-case) log rotation will not leave us holding
5870     the file copy. */
5871
5872     if (!receive_timeout)
5873       if (poll_one_fd(0, POLLIN, 30*60*1000) == 0)      /* 30 minutes */
5874         mainlog_close();
5875
5876     /* Read the data for the message. If filter_test is not FTEST_NONE, this
5877     will just read the headers for the message, and not write anything onto the
5878     spool. */
5879
5880     message_ended = END_NOTENDED;
5881     more = receive_msg(extract_recipients);
5882
5883     /* more is always FALSE here (not SMTP message) when reading a message
5884     for real; when reading the headers of a message for filter testing,
5885     it is TRUE if the headers were terminated by '.' and FALSE otherwise. */
5886
5887     if (!message_id[0]) exim_exit(EXIT_FAILURE);
5888     }  /* Non-SMTP message reception */
5889
5890   /* If this is a filter testing run, there are headers in store, but
5891   no message on the spool. Run the filtering code in testing mode, setting
5892   the domain to the qualify domain and the local part to the current user,
5893   unless they have been set by options. The prefix and suffix are left unset
5894   unless specified. The the return path is set to to the sender unless it has
5895   already been set from a return-path header in the message. */
5896
5897   if (filter_test != FTEST_NONE)
5898     {
5899     deliver_domain = ftest_domain ? ftest_domain : qualify_domain_recipient;
5900     deliver_domain_orig = deliver_domain;
5901     deliver_localpart = ftest_localpart ? US ftest_localpart : originator_login;
5902     deliver_localpart_orig = deliver_localpart;
5903     deliver_localpart_prefix = US ftest_prefix;
5904     deliver_localpart_suffix = US ftest_suffix;
5905     deliver_home = originator_home;
5906
5907     if (!return_path)
5908       {
5909       printf("Return-path copied from sender\n");
5910       return_path = string_copy(sender_address);
5911       }
5912     else
5913       printf("Return-path = %s\n", (return_path[0] == 0)? US"<>" : return_path);
5914     printf("Sender      = %s\n", (sender_address[0] == 0)? US"<>" : sender_address);
5915
5916     receive_add_recipient(
5917       string_sprintf("%s%s%s@%s",
5918         ftest_prefix ? ftest_prefix : US"",
5919         deliver_localpart,
5920         ftest_suffix ? ftest_suffix : US"",
5921         deliver_domain), -1);
5922
5923     printf("Recipient   = %s\n", recipients_list[0].address);
5924     if (ftest_prefix) printf("Prefix    = %s\n", ftest_prefix);
5925     if (ftest_suffix) printf("Suffix    = %s\n", ftest_suffix);
5926
5927     if (chdir("/"))   /* Get away from wherever the user is running this from */
5928       {
5929       DEBUG(D_receive) debug_printf("chdir(\"/\") failed\n");
5930       exim_exit(EXIT_FAILURE);
5931       }
5932
5933     /* Now we run either a system filter test, or a user filter test, or both.
5934     In the latter case, headers added by the system filter will persist and be
5935     available to the user filter. We need to copy the filter variables
5936     explicitly. */
5937
5938     if (filter_test & FTEST_SYSTEM)
5939       if (!filter_runtest(filter_sfd, filter_test_sfile, TRUE, more))
5940         exim_exit(EXIT_FAILURE);
5941
5942     memcpy(filter_sn, filter_n, sizeof(filter_sn));
5943
5944     if (filter_test & FTEST_USER)
5945       if (!filter_runtest(filter_ufd, filter_test_ufile, FALSE, more))
5946         exim_exit(EXIT_FAILURE);
5947
5948     exim_exit(EXIT_SUCCESS);
5949     }
5950
5951   /* Else act on the result of message reception. We should not get here unless
5952   message_id[0] is non-zero. If queue_only is set, session_local_queue_only
5953   will be TRUE. If it is not, check on the number of messages received in this
5954   connection. */
5955
5956   if (  !session_local_queue_only
5957      && smtp_accept_queue_per_connection > 0
5958      && receive_messagecount > smtp_accept_queue_per_connection)
5959     {
5960     session_local_queue_only = TRUE;
5961     queue_only_reason = 2;
5962     }
5963
5964   /* Initialize local_queue_only from session_local_queue_only. If it is false,
5965   and queue_only_load is set, check that the load average is below it. If it is
5966   not, set local_queue_only TRUE. If queue_only_load_latch is true (the
5967   default), we put the whole session into queue_only mode. It then remains this
5968   way for any subsequent messages on the same SMTP connection. This is a
5969   deliberate choice; even though the load average may fall, it doesn't seem
5970   right to deliver later messages on the same call when not delivering earlier
5971   ones. However, there are odd cases where this is not wanted, so this can be
5972   changed by setting queue_only_load_latch false. */
5973
5974   if (!(local_queue_only = session_local_queue_only) && queue_only_load >= 0)
5975     if ((local_queue_only = (load_average = OS_GETLOADAVG()) > queue_only_load))
5976       {
5977       queue_only_reason = 3;
5978       if (queue_only_load_latch) session_local_queue_only = TRUE;
5979       }
5980
5981   /* If running as an MUA wrapper, all queueing options and freezing options
5982   are ignored. */
5983
5984   if (mua_wrapper)
5985     local_queue_only = f.queue_only_policy = f.deliver_freeze = FALSE;
5986
5987   /* Log the queueing here, when it will get a message id attached, but
5988   not if queue_only is set (case 0). Case 1 doesn't happen here (too many
5989   connections). */
5990
5991   if (local_queue_only)
5992     {
5993     cancel_cutthrough_connection(TRUE, US"no delivery; queueing");
5994     switch(queue_only_reason)
5995       {
5996       case 2:
5997         log_write(L_delay_delivery,
5998                 LOG_MAIN, "no immediate delivery: more than %d messages "
5999           "received in one connection", smtp_accept_queue_per_connection);
6000         break;
6001
6002       case 3:
6003         log_write(L_delay_delivery,
6004                 LOG_MAIN, "no immediate delivery: load average %.2f",
6005                 (double)load_average/1000.0);
6006       break;
6007       }
6008     }
6009
6010   else if (f.queue_only_policy || f.deliver_freeze)
6011     cancel_cutthrough_connection(TRUE, US"no delivery; queueing");
6012
6013   /* Else do the delivery unless the ACL or local_scan() called for queue only
6014   or froze the message. Always deliver in a separate process. A fork failure is
6015   not a disaster, as the delivery will eventually happen on a subsequent queue
6016   run. The search cache must be tidied before the fork, as the parent will
6017   do it before exiting. The child will trigger a lookup failure and
6018   thereby defer the delivery if it tries to use (for example) a cached ldap
6019   connection that the parent has called unbind on. */
6020
6021   else
6022     {
6023     pid_t pid;
6024     search_tidyup();
6025
6026     if ((pid = exim_fork(US"local-accept-delivery")) == 0)
6027       {
6028       int rc;
6029       close_unwanted();      /* Close unwanted file descriptors and TLS */
6030       exim_nullstd();        /* Ensure std{in,out,err} exist */
6031
6032       /* Re-exec Exim if we need to regain privilege (note: in mua_wrapper
6033       mode, deliver_drop_privilege is forced TRUE). */
6034
6035       if (geteuid() != root_uid && !deliver_drop_privilege && !unprivileged)
6036         {
6037         delivery_re_exec(CEE_EXEC_EXIT);
6038         /* Control does not return here. */
6039         }
6040
6041       /* No need to re-exec */
6042
6043       rc = deliver_message(message_id, FALSE, FALSE);
6044       search_tidyup();
6045       exim_underbar_exit(!mua_wrapper || rc == DELIVER_MUA_SUCCEEDED
6046         ? EXIT_SUCCESS : EXIT_FAILURE);
6047       }
6048
6049     if (pid < 0)
6050       {
6051       cancel_cutthrough_connection(TRUE, US"delivery fork failed");
6052       log_write(0, LOG_MAIN|LOG_PANIC, "failed to fork automatic delivery "
6053         "process: %s", strerror(errno));
6054       }
6055     else
6056       {
6057       release_cutthrough_connection(US"msg passed for delivery");
6058
6059       /* In the parent, wait if synchronous delivery is required. This will
6060       always be the case in MUA wrapper mode. */
6061
6062       if (f.synchronous_delivery)
6063         {
6064         int status;
6065         while (wait(&status) != pid);
6066         if ((status & 0x00ff) != 0)
6067           log_write(0, LOG_MAIN|LOG_PANIC,
6068             "process %d crashed with signal %d while delivering %s",
6069             (int)pid, status & 0x00ff, message_id);
6070         if (mua_wrapper && (status & 0xffff) != 0) exim_exit(EXIT_FAILURE);
6071         }
6072       }
6073     }
6074
6075   /* The loop will repeat if more is TRUE. If we do not know know that the OS
6076   automatically reaps children (see comments above the loop), clear away any
6077   finished subprocesses here, in case there are lots of messages coming in
6078   from the same source. */
6079
6080 #ifndef SIG_IGN_WORKS
6081   while (waitpid(-1, NULL, WNOHANG) > 0);
6082 #endif
6083
6084 MORELOOP:
6085   return_path = sender_address = NULL;
6086   authenticated_sender = NULL;
6087   deliver_localpart_orig = NULL;
6088   deliver_domain_orig = NULL;
6089   deliver_host = deliver_host_address = NULL;
6090   dnslist_domain = dnslist_matched = NULL;
6091 #ifdef WITH_CONTENT_SCAN
6092   malware_name = NULL;
6093   regex_vars_clear();
6094 #endif
6095   callout_address = NULL;
6096   sending_ip_address = NULL;
6097   deliver_localpart_data = deliver_domain_data =
6098   recipient_data = sender_data = NULL;
6099   acl_var_m = NULL;
6100
6101   store_reset(reset_point);
6102   }
6103
6104 exim_exit(EXIT_SUCCESS);   /* Never returns */
6105 return 0;                  /* To stop compiler warning */
6106 }
6107
6108
6109 /* End of exim.c */