Fix mua_wrapper defers not turning into fails for problems such as
[exim.git] / src / src / exim.c
1 /* $Cambridge: exim/src/src/exim.c,v 1.22 2005/06/28 10:23:35 ph10 Exp $ */
2
3 /*************************************************
4 * Exim - an Internet mail transport agent *
5 *************************************************/
6
7 /* Copyright (c) University of Cambridge 1995 - 2005 */
8 /* See the file NOTICE for conditions of use and distribution. */
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
18
19 /*************************************************
20 * Function interface to store functions *
21 *************************************************/
22
23 /* We need some real functions to pass to the PCRE regular expression library
24 for store allocation via Exim's store manager. The normal calls are actually
25 macros that pass over location information to make tracing easier. These
26 functions just interface to the standard macro calls. A good compiler will
27 optimize out the tail recursion and so not make them too expensive. There
28 are two sets of functions; one for use when we want to retain the compiled
29 regular expression for a long time; the other for short-term use. */
30
31 static void *
32 function_store_get(size_t size)
33 {
34 return store_get((int)size);
35 }
36
37 static void
38 function_dummy_free(void *block) { block = block; }
39
40 static void *
41 function_store_malloc(size_t size)
42 {
43 return store_malloc((int)size);
44 }
45
46 static void
47 function_store_free(void *block)
48 {
49 store_free(block);
50 }
51
52
53
54
55 /*************************************************
56 * Compile regular expression and panic on fail *
57 *************************************************/
58
59 /* This function is called when failure to compile a regular expression leads
60 to a panic exit. In other cases, pcre_compile() is called directly. In many
61 cases where this function is used, the results of the compilation are to be
62 placed in long-lived store, so we temporarily reset the store management
63 functions that PCRE uses if the use_malloc flag is set.
64
65 Argument:
66 pattern the pattern to compile
67 caseless TRUE if caseless matching is required
68 use_malloc TRUE if compile into malloc store
69
70 Returns: pointer to the compiled pattern
71 */
72
73 const pcre *
74 regex_must_compile(uschar *pattern, BOOL caseless, BOOL use_malloc)
75 {
76 int offset;
77 int options = PCRE_COPT;
78 const pcre *yield;
79 const uschar *error;
80 if (use_malloc)
81 {
82 pcre_malloc = function_store_malloc;
83 pcre_free = function_store_free;
84 }
85 if (caseless) options |= PCRE_CASELESS;
86 yield = pcre_compile(CS pattern, options, (const char **)&error, &offset, NULL);
87 pcre_malloc = function_store_get;
88 pcre_free = function_dummy_free;
89 if (yield == NULL)
90 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "regular expression error: "
91 "%s at offset %d while compiling %s", error, offset, pattern);
92 return yield;
93 }
94
95
96
97
98 /*************************************************
99 * Execute regular expression and set strings *
100 *************************************************/
101
102 /* This function runs a regular expression match, and sets up the pointers to
103 the matched substrings.
104
105 Arguments:
106 re the compiled expression
107 subject the subject string
108 options additional PCRE options
109 setup if < 0 do full setup
110 if >= 0 setup from setup+1 onwards,
111 excluding the full matched string
112
113 Returns: TRUE or FALSE
114 */
115
116 BOOL
117 regex_match_and_setup(const pcre *re, uschar *subject, int options, int setup)
118 {
119 int ovector[3*(EXPAND_MAXN+1)];
120 int n = pcre_exec(re, NULL, CS subject, Ustrlen(subject), 0,
121 PCRE_EOPT | options, ovector, sizeof(ovector)/sizeof(int));
122 BOOL yield = n >= 0;
123 if (n == 0) n = EXPAND_MAXN + 1;
124 if (yield)
125 {
126 int nn;
127 expand_nmax = (setup < 0)? 0 : setup + 1;
128 for (nn = (setup < 0)? 0 : 2; nn < n*2; nn += 2)
129 {
130 expand_nstring[expand_nmax] = subject + ovector[nn];
131 expand_nlength[expand_nmax++] = ovector[nn+1] - ovector[nn];
132 }
133 expand_nmax--;
134 }
135 return yield;
136 }
137
138
139
140
141 /*************************************************
142 * Handler for SIGUSR1 *
143 *************************************************/
144
145 /* SIGUSR1 causes any exim process to write to the process log details of
146 what it is currently doing. It will only be used if the OS is capable of
147 setting up a handler that causes automatic restarting of any system call
148 that is in progress at the time.
149
150 Argument: the signal number (SIGUSR1)
151 Returns: nothing
152 */
153
154 static void
155 usr1_handler(int sig)
156 {
157 sig = sig; /* Keep picky compilers happy */
158 log_write(0, LOG_PROCESS, "%s", process_info);
159 log_close_all();
160 os_restarting_signal(SIGUSR1, usr1_handler);
161 }
162
163
164
165 /*************************************************
166 * Timeout handler *
167 *************************************************/
168
169 /* This handler is enabled most of the time that Exim is running. The handler
170 doesn't actually get used unless alarm() has been called to set a timer, to
171 place a time limit on a system call of some kind. When the handler is run, it
172 re-enables itself.
173
174 There are some other SIGALRM handlers that are used in special cases when more
175 than just a flag setting is required; for example, when reading a message's
176 input. These are normally set up in the code module that uses them, and the
177 SIGALRM handler is reset to this one afterwards.
178
179 Argument: the signal value (SIGALRM)
180 Returns: nothing
181 */
182
183 void
184 sigalrm_handler(int sig)
185 {
186 sig = sig; /* Keep picky compilers happy */
187 sigalrm_seen = TRUE;
188 os_non_restarting_signal(SIGALRM, sigalrm_handler);
189 }
190
191
192
193 /*************************************************
194 * Sleep for a fractional time interval *
195 *************************************************/
196
197 /* This function is called by millisleep() and exim_wait_tick() to wait for a
198 period of time that may include a fraction of a second. The coding is somewhat
199 tedious. We do not expect setitimer() ever to fail, but if it does, the process
200 will wait for ever, so we panic in this instance. (There was a case of this
201 when a bug in a function that calls milliwait() caused it to pass invalid data.
202 That's when I added the check. :-)
203
204 Argument: an itimerval structure containing the interval
205 Returns: nothing
206 */
207
208 static void
209 milliwait(struct itimerval *itval)
210 {
211 sigset_t sigmask;
212 sigset_t old_sigmask;
213 (void)sigemptyset(&sigmask); /* Empty mask */
214 (void)sigaddset(&sigmask, SIGALRM); /* Add SIGALRM */
215 (void)sigprocmask(SIG_BLOCK, &sigmask, &old_sigmask); /* Block SIGALRM */
216 if (setitimer(ITIMER_REAL, itval, NULL) < 0) /* Start timer */
217 log_write(0, LOG_MAIN|LOG_PANIC_DIE,
218 "setitimer() failed: %s", strerror(errno));
219 (void)sigfillset(&sigmask); /* All signals */
220 (void)sigdelset(&sigmask, SIGALRM); /* Remove SIGALRM */
221 (void)sigsuspend(&sigmask); /* Until SIGALRM */
222 (void)sigprocmask(SIG_SETMASK, &old_sigmask, NULL); /* Restore mask */
223 }
224
225
226
227
228 /*************************************************
229 * Millisecond sleep function *
230 *************************************************/
231
232 /* The basic sleep() function has a granularity of 1 second, which is too rough
233 in some cases - for example, when using an increasing delay to slow down
234 spammers.
235
236 Argument: number of millseconds
237 Returns: nothing
238 */
239
240 void
241 millisleep(int msec)
242 {
243 struct itimerval itval;
244 itval.it_interval.tv_sec = 0;
245 itval.it_interval.tv_usec = 0;
246 itval.it_value.tv_sec = msec/1000;
247 itval.it_value.tv_usec = (msec % 1000) * 1000;
248 milliwait(&itval);
249 }
250
251
252
253 /*************************************************
254 * Compare microsecond times *
255 *************************************************/
256
257 /*
258 Arguments:
259 tv1 the first time
260 tv2 the second time
261
262 Returns: -1, 0, or +1
263 */
264
265 int
266 exim_tvcmp(struct timeval *t1, struct timeval *t2)
267 {
268 if (t1->tv_sec > t2->tv_sec) return +1;
269 if (t1->tv_sec < t2->tv_sec) return -1;
270 if (t1->tv_usec > t2->tv_usec) return +1;
271 if (t1->tv_usec < t2->tv_usec) return -1;
272 return 0;
273 }
274
275
276
277
278 /*************************************************
279 * Clock tick wait function *
280 *************************************************/
281
282 /* Exim uses a time + a pid to generate a unique identifier in two places: its
283 message IDs, and in file names for maildir deliveries. Because some OS now
284 re-use pids within the same second, sub-second times are now being used.
285 However, for absolute certaintly, we must ensure the clock has ticked before
286 allowing the relevant process to complete. At the time of implementation of
287 this code (February 2003), the speed of processors is such that the clock will
288 invariably have ticked already by the time a process has done its job. This
289 function prepares for the time when things are faster - and it also copes with
290 clocks that go backwards.
291
292 Arguments:
293 then_tv A timeval which was used to create uniqueness; its usec field
294 has been rounded down to the value of the resolution.
295 We want to be sure the current time is greater than this.
296 resolution The resolution that was used to divide the microseconds
297 (1 for maildir, larger for message ids)
298
299 Returns: nothing
300 */
301
302 void
303 exim_wait_tick(struct timeval *then_tv, int resolution)
304 {
305 struct timeval now_tv;
306 long int now_true_usec;
307
308 (void)gettimeofday(&now_tv, NULL);
309 now_true_usec = now_tv.tv_usec;
310 now_tv.tv_usec = (now_true_usec/resolution) * resolution;
311
312 if (exim_tvcmp(&now_tv, then_tv) <= 0)
313 {
314 struct itimerval itval;
315 itval.it_interval.tv_sec = 0;
316 itval.it_interval.tv_usec = 0;
317 itval.it_value.tv_sec = then_tv->tv_sec - now_tv.tv_sec;
318 itval.it_value.tv_usec = then_tv->tv_usec + resolution - now_true_usec;
319
320 /* We know that, overall, "now" is less than or equal to "then". Therefore, a
321 negative value for the microseconds is possible only in the case when "now"
322 is more than a second less than "then". That means that itval.it_value.tv_sec
323 is greater than zero. The following correction is therefore safe. */
324
325 if (itval.it_value.tv_usec < 0)
326 {
327 itval.it_value.tv_usec += 1000000;
328 itval.it_value.tv_sec -= 1;
329 }
330
331 DEBUG(D_transport|D_receive)
332 {
333 if (!running_in_test_harness)
334 {
335 debug_printf("tick check: %lu.%06lu %lu.%06lu\n",
336 then_tv->tv_sec, then_tv->tv_usec, now_tv.tv_sec, now_tv.tv_usec);
337 debug_printf("waiting %lu.%06lu\n", itval.it_value.tv_sec,
338 itval.it_value.tv_usec);
339 }
340 }
341
342 milliwait(&itval);
343 }
344 }
345
346
347
348
349 /*************************************************
350 * Set up processing details *
351 *************************************************/
352
353 /* Save a text string for dumping when SIGUSR1 is received.
354 Do checks for overruns.
355
356 Arguments: format and arguments, as for printf()
357 Returns: nothing
358 */
359
360 void
361 set_process_info(char *format, ...)
362 {
363 int len;
364 va_list ap;
365 sprintf(CS process_info, "%5d ", (int)getpid());
366 len = Ustrlen(process_info);
367 va_start(ap, format);
368 if (!string_vformat(process_info + len, PROCESS_INFO_SIZE - len, format, ap))
369 Ustrcpy(process_info + len, "**** string overflowed buffer ****");
370 DEBUG(D_process_info) debug_printf("set_process_info: %s\n", process_info);
371 va_end(ap);
372 }
373
374
375
376
377
378 /*************************************************
379 * Ensure stdin, stdout, and stderr exist *
380 *************************************************/
381
382 /* Some operating systems grumble if an exec() happens without a standard
383 input, output, and error (fds 0, 1, 2) being defined. The worry is that some
384 file will be opened and will use these fd values, and then some other bit of
385 code will assume, for example, that it can write error messages to stderr.
386 This function ensures that fds 0, 1, and 2 are open if they do not already
387 exist, by connecting them to /dev/null.
388
389 This function is also used to ensure that std{in,out,err} exist at all times,
390 so that if any library that Exim calls tries to use them, it doesn't crash.
391
392 Arguments: None
393 Returns: Nothing
394 */
395
396 void
397 exim_nullstd(void)
398 {
399 int i;
400 int devnull = -1;
401 struct stat statbuf;
402 for (i = 0; i <= 2; i++)
403 {
404 if (fstat(i, &statbuf) < 0 && errno == EBADF)
405 {
406 if (devnull < 0) devnull = open("/dev/null", O_RDWR);
407 if (devnull < 0) log_write(0, LOG_MAIN|LOG_PANIC_DIE, "%s",
408 string_open_failed(errno, "/dev/null"));
409 if (devnull != i) (void)dup2(devnull, i);
410 }
411 }
412 if (devnull > 2) (void)close(devnull);
413 }
414
415
416
417
418 /*************************************************
419 * Close unwanted file descriptors for delivery *
420 *************************************************/
421
422 /* This function is called from a new process that has been forked to deliver
423 an incoming message, either directly, or using exec.
424
425 We want any smtp input streams to be closed in this new process. However, it
426 has been observed that using fclose() here causes trouble. When reading in -bS
427 input, duplicate copies of messages have been seen. The files will be sharing a
428 file pointer with the parent process, and it seems that fclose() (at least on
429 some systems - I saw this on Solaris 2.5.1) messes with that file pointer, at
430 least sometimes. Hence we go for closing the underlying file descriptors.
431
432 If TLS is active, we want to shut down the TLS library, but without molesting
433 the parent's SSL connection.
434
435 For delivery of a non-SMTP message, we want to close stdin and stdout (and
436 stderr unless debugging) because the calling process might have set them up as
437 pipes and be waiting for them to close before it waits for the submission
438 process to terminate. If they aren't closed, they hold up the calling process
439 until the initial delivery process finishes, which is not what we want.
440
441 Exception: We do want it for synchronous delivery!
442
443 And notwithstanding all the above, if D_resolver is set, implying resolver
444 debugging, leave stdout open, because that's where the resolver writes its
445 debugging output.
446
447 When we close stderr (which implies we've also closed stdout), we also get rid
448 of any controlling terminal.
449
450 Arguments: None
451 Returns: Nothing
452 */
453
454 static void
455 close_unwanted(void)
456 {
457 if (smtp_input)
458 {
459 #ifdef SUPPORT_TLS
460 tls_close(FALSE); /* Shut down the TLS library */
461 #endif
462 (void)close(fileno(smtp_in));
463 (void)close(fileno(smtp_out));
464 smtp_in = NULL;
465 }
466 else
467 {
468 (void)close(0); /* stdin */
469 if ((debug_selector & D_resolver) == 0) (void)close(1); /* stdout */
470 if (debug_selector == 0) /* stderr */
471 {
472 if (!synchronous_delivery)
473 {
474 (void)close(2);
475 log_stderr = NULL;
476 }
477 (void)setsid();
478 }
479 }
480 }
481
482
483
484
485 /*************************************************
486 * Set uid and gid *
487 *************************************************/
488
489 /* This function sets a new uid and gid permanently, optionally calling
490 initgroups() to set auxiliary groups. There are some special cases when running
491 Exim in unprivileged modes. In these situations the effective uid will not be
492 root; if we already have the right effective uid/gid, and don't need to
493 initialize any groups, leave things as they are.
494
495 Arguments:
496 uid the uid
497 gid the gid
498 igflag TRUE if initgroups() wanted
499 msg text to use in debugging output and failure log
500
501 Returns: nothing; bombs out on failure
502 */
503
504 void
505 exim_setugid(uid_t uid, gid_t gid, BOOL igflag, uschar *msg)
506 {
507 uid_t euid = geteuid();
508 gid_t egid = getegid();
509
510 if (euid == root_uid || euid != uid || egid != gid || igflag)
511 {
512 /* At least one OS returns +1 for initgroups failure, so just check for
513 non-zero. */
514
515 if (igflag)
516 {
517 struct passwd *pw = getpwuid(uid);
518 if (pw != NULL)
519 {
520 if (initgroups(pw->pw_name, gid) != 0)
521 log_write(0,LOG_MAIN|LOG_PANIC_DIE,"initgroups failed for uid=%ld: %s",
522 (long int)uid, strerror(errno));
523 }
524 else log_write(0, LOG_MAIN|LOG_PANIC_DIE, "cannot run initgroups(): "
525 "no passwd entry for uid=%ld", (long int)uid);
526 }
527
528 if (setgid(gid) < 0 || setuid(uid) < 0)
529 {
530 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "unable to set gid=%ld or uid=%ld "
531 "(euid=%ld): %s", (long int)gid, (long int)uid, (long int)euid, msg);
532 }
533 }
534
535 /* Debugging output included uid/gid and all groups */
536
537 DEBUG(D_uid)
538 {
539 int group_count;
540 gid_t group_list[NGROUPS_MAX];
541 debug_printf("changed uid/gid: %s\n uid=%ld gid=%ld pid=%ld\n", msg,
542 (long int)geteuid(), (long int)getegid(), (long int)getpid());
543 group_count = getgroups(NGROUPS_MAX, group_list);
544 debug_printf(" auxiliary group list:");
545 if (group_count > 0)
546 {
547 int i;
548 for (i = 0; i < group_count; i++) debug_printf(" %d", (int)group_list[i]);
549 }
550 else debug_printf(" <none>");
551 debug_printf("\n");
552 }
553 }
554
555
556
557
558 /*************************************************
559 * Exit point *
560 *************************************************/
561
562 /* Exim exits via this function so that it always clears up any open
563 databases.
564
565 Arguments:
566 rc return code
567
568 Returns: does not return
569 */
570
571 void
572 exim_exit(int rc)
573 {
574 search_tidyup();
575 DEBUG(D_any)
576 debug_printf(">>>>>>>>>>>>>>>> Exim pid=%d terminating with rc=%d "
577 ">>>>>>>>>>>>>>>>\n", (int)getpid(), rc);
578 exit(rc);
579 }
580
581
582
583
584 /*************************************************
585 * Extract port from host address *
586 *************************************************/
587
588 /* Called to extract the port from the values given to -oMa and -oMi.
589 It also checks the syntax of the address, and terminates it before the
590 port data when a port is extracted.
591
592 Argument:
593 address the address, with possible port on the end
594
595 Returns: the port, or zero if there isn't one
596 bombs out on a syntax error
597 */
598
599 static int
600 check_port(uschar *address)
601 {
602 int port = host_extract_port(address);
603 if (string_is_ip_address(address, NULL) == 0)
604 {
605 fprintf(stderr, "exim abandoned: \"%s\" is not an IP address\n", address);
606 exit(EXIT_FAILURE);
607 }
608 return port;
609 }
610
611
612
613 /*************************************************
614 * Test/verify an address *
615 *************************************************/
616
617 /* This function is called by the -bv and -bt code. It extracts a working
618 address from a full RFC 822 address. This isn't really necessary per se, but it
619 has the effect of collapsing source routes.
620
621 Arguments:
622 s the address string
623 flags flag bits for verify_address()
624 exit_value to be set for failures
625
626 Returns: nothing
627 */
628
629 static void
630 test_address(uschar *s, int flags, int *exit_value)
631 {
632 int start, end, domain;
633 uschar *parse_error = NULL;
634 uschar *address = parse_extract_address(s, &parse_error, &start, &end, &domain,
635 FALSE);
636 if (address == NULL)
637 {
638 fprintf(stdout, "syntax error: %s\n", parse_error);
639 *exit_value = 2;
640 }
641 else
642 {
643 int rc = verify_address(deliver_make_addr(address,TRUE), stdout, flags, -1,
644 -1, -1, NULL, NULL, NULL);
645 if (rc == FAIL) *exit_value = 2;
646 else if (rc == DEFER && *exit_value == 0) *exit_value = 1;
647 }
648 }
649
650
651
652 /*************************************************
653 * Decode bit settings for log/debug *
654 *************************************************/
655
656 /* This function decodes a string containing bit settings in the form of +name
657 and/or -name sequences, and sets/unsets bits in a bit string accordingly. It
658 also recognizes a numeric setting of the form =<number>, but this is not
659 intended for user use. It's an easy way for Exim to pass the debug settings
660 when it is re-exec'ed.
661
662 The log options are held in two unsigned ints (because there became too many
663 for one). The top bit in the table means "put in 2nd selector". This does not
664 yet apply to debug options, so the "=" facility sets only the first selector.
665
666 The "all" selector, which must be equal to 0xffffffff, is recognized specially.
667 It sets all the bits in both selectors. However, there is a facility for then
668 unsetting certain bits, because we want to turn off "memory" in the debug case.
669
670 A bad value for a debug setting is treated as an unknown option - error message
671 to stderr and die. For log settings, which come from the configuration file,
672 we write to the log on the way out...
673
674 Arguments:
675 selector1 address of the first bit string
676 selector2 address of the second bit string, or NULL
677 notall1 bits to exclude from "all" for selector1
678 notall2 bits to exclude from "all" for selector2
679 string the configured string
680 options the table of option names
681 count size of table
682 which "log" or "debug"
683
684 Returns: nothing on success - bomb out on failure
685 */
686
687 static void
688 decode_bits(unsigned int *selector1, unsigned int *selector2, int notall1,
689 int notall2, uschar *string, bit_table *options, int count, uschar *which)
690 {
691 uschar *errmsg;
692 if (string == NULL) return;
693
694 if (*string == '=')
695 {
696 char *end; /* Not uschar */
697 *selector1 = strtoul(CS string+1, &end, 0);
698 if (*end == 0) return;
699 errmsg = string_sprintf("malformed numeric %s_selector setting: %s", which,
700 string);
701 goto ERROR_RETURN;
702 }
703
704 /* Handle symbolic setting */
705
706 else for(;;)
707 {
708 BOOL adding;
709 uschar *s;
710 int len;
711 bit_table *start, *end;
712
713 while (isspace(*string)) string++;
714 if (*string == 0) return;
715
716 if (*string != '+' && *string != '-')
717 {
718 errmsg = string_sprintf("malformed %s_selector setting: "
719 "+ or - expected but found \"%s\"", which, string);
720 goto ERROR_RETURN;
721 }
722
723 adding = *string++ == '+';
724 s = string;
725 while (isalnum(*string) || *string == '_') string++;
726 len = string - s;
727
728 start = options;
729 end = options + count;
730
731 while (start < end)
732 {
733 bit_table *middle = start + (end - start)/2;
734 int c = Ustrncmp(s, middle->name, len);
735 if (c == 0)
736 {
737 if (middle->name[len] != 0) c = -1; else
738 {
739 unsigned int bit = middle->bit;
740 unsigned int *selector;
741
742 /* The value with all bits set means "force all bits in both selectors"
743 in the case where two are being handled. However, the top bit in the
744 second selector is never set. When setting, some bits can be excluded.
745 */
746
747 if (bit == 0xffffffff)
748 {
749 if (adding)
750 {
751 *selector1 = 0xffffffff ^ notall1;
752 if (selector2 != NULL) *selector2 = 0x7fffffff ^ notall2;
753 }
754 else
755 {
756 *selector1 = 0;
757 if (selector2 != NULL) *selector2 = 0;
758 }
759 }
760
761 /* Otherwise, the 0x80000000 bit means "this value, without the top
762 bit, belongs in the second selector". */
763
764 else
765 {
766 if ((bit & 0x80000000) != 0)
767 {
768 selector = selector2;
769 bit &= 0x7fffffff;
770 }
771 else selector = selector1;
772 if (adding) *selector |= bit; else *selector &= ~bit;
773 }
774 break; /* Out of loop to match selector name */
775 }
776 }
777 if (c < 0) end = middle; else start = middle + 1;
778 } /* Loop to match selector name */
779
780 if (start >= end)
781 {
782 errmsg = string_sprintf("unknown %s_selector setting: %c%.*s", which,
783 adding? '+' : '-', len, s);
784 goto ERROR_RETURN;
785 }
786 } /* Loop for selector names */
787
788 /* Handle disasters */
789
790 ERROR_RETURN:
791 if (Ustrcmp(which, "debug") == 0)
792 {
793 fprintf(stderr, "exim: %s\n", errmsg);
794 exit(EXIT_FAILURE);
795 }
796 else log_write(0, LOG_CONFIG|LOG_PANIC_DIE, "%s", errmsg);
797 }
798
799
800
801 /*************************************************
802 * Show supported features *
803 *************************************************/
804
805 /* This function is called for -bV and for -d to output the optional features
806 of the current Exim binary.
807
808 Arguments: a FILE for printing
809 Returns: nothing
810 */
811
812 static void
813 show_whats_supported(FILE *f)
814 {
815 #ifdef DB_VERSION_STRING
816 fprintf(f, "Berkeley DB: %s\n", DB_VERSION_STRING);
817 #elif defined(BTREEVERSION) && defined(HASHVERSION)
818 #ifdef USE_DB
819 fprintf(f, "Probably Berkeley DB version 1.8x (native mode)\n");
820 #else
821 fprintf(f, "Probably Berkeley DB version 1.8x (compatibility mode)\n");
822 #endif
823 #elif defined(_DBM_RDONLY) || defined(dbm_dirfno)
824 fprintf(f, "Probably ndbm\n");
825 #elif defined(USE_TDB)
826 fprintf(f, "Using tdb\n");
827 #else
828 #ifdef USE_GDBM
829 fprintf(f, "Probably GDBM (native mode)\n");
830 #else
831 fprintf(f, "Probably GDBM (compatibility mode)\n");
832 #endif
833 #endif
834
835 fprintf(f, "Support for:");
836 #if HAVE_ICONV
837 fprintf(f, " iconv()");
838 #endif
839 #if HAVE_IPV6
840 fprintf(f, " IPv6");
841 #endif
842 #ifdef SUPPORT_PAM
843 fprintf(f, " PAM");
844 #endif
845 #ifdef EXIM_PERL
846 fprintf(f, " Perl");
847 #endif
848 #ifdef EXPAND_DLFUNC
849 fprintf(f, " Expand_dlfunc");
850 #endif
851 #ifdef USE_TCP_WRAPPERS
852 fprintf(f, " TCPwrappers");
853 #endif
854 #ifdef SUPPORT_TLS
855 #ifdef USE_GNUTLS
856 fprintf(f, " GnuTLS");
857 #else
858 fprintf(f, " OpenSSL");
859 #endif
860 #endif
861 #ifdef WITH_CONTENT_SCAN
862 fprintf(f, " Content_Scanning");
863 #endif
864 #ifdef WITH_OLD_DEMIME
865 fprintf(f, " Old_Demime");
866 #endif
867 #ifdef EXPERIMENTAL_SPF
868 fprintf(f, " Experimental_SPF");
869 #endif
870 #ifdef EXPERIMENTAL_SRS
871 fprintf(f, " Experimental_SRS");
872 #endif
873 #ifdef EXPERIMENTAL_BRIGHTMAIL
874 fprintf(f, " Experimental_Brightmail");
875 #endif
876 #ifdef EXPERIMENTAL_DOMAINKEYS
877 fprintf(f, " Experimental_DomainKeys");
878 #endif
879 fprintf(f, "\n");
880
881 fprintf(f, "Lookups:");
882 #ifdef LOOKUP_LSEARCH
883 fprintf(f, " lsearch wildlsearch nwildlsearch iplsearch");
884 #endif
885 #ifdef LOOKUP_CDB
886 fprintf(f, " cdb");
887 #endif
888 #ifdef LOOKUP_DBM
889 fprintf(f, " dbm dbmnz");
890 #endif
891 #ifdef LOOKUP_DNSDB
892 fprintf(f, " dnsdb");
893 #endif
894 #ifdef LOOKUP_DSEARCH
895 fprintf(f, " dsearch");
896 #endif
897 #ifdef LOOKUP_IBASE
898 fprintf(f, " ibase");
899 #endif
900 #ifdef LOOKUP_LDAP
901 fprintf(f, " ldap ldapdn ldapm");
902 #endif
903 #ifdef LOOKUP_MYSQL
904 fprintf(f, " mysql");
905 #endif
906 #ifdef LOOKUP_NIS
907 fprintf(f, " nis nis0");
908 #endif
909 #ifdef LOOKUP_NISPLUS
910 fprintf(f, " nisplus");
911 #endif
912 #ifdef LOOKUP_ORACLE
913 fprintf(f, " oracle");
914 #endif
915 #ifdef LOOKUP_PASSWD
916 fprintf(f, " passwd");
917 #endif
918 #ifdef LOOKUP_PGSQL
919 fprintf(f, " pgsql");
920 #endif
921 #ifdef LOOKUP_TESTDB
922 fprintf(f, " testdb");
923 #endif
924 #ifdef LOOKUP_WHOSON
925 fprintf(f, " whoson");
926 #endif
927 fprintf(f, "\n");
928
929 fprintf(f, "Authenticators:");
930 #ifdef AUTH_CRAM_MD5
931 fprintf(f, " cram_md5");
932 #endif
933 #ifdef AUTH_CYRUS_SASL
934 fprintf(f, " cyrus_sasl");
935 #endif
936 #ifdef AUTH_PLAINTEXT
937 fprintf(f, " plaintext");
938 #endif
939 #ifdef AUTH_SPA
940 fprintf(f, " spa");
941 #endif
942 fprintf(f, "\n");
943
944 fprintf(f, "Routers:");
945 #ifdef ROUTER_ACCEPT
946 fprintf(f, " accept");
947 #endif
948 #ifdef ROUTER_DNSLOOKUP
949 fprintf(f, " dnslookup");
950 #endif
951 #ifdef ROUTER_IPLITERAL
952 fprintf(f, " ipliteral");
953 #endif
954 #ifdef ROUTER_IPLOOKUP
955 fprintf(f, " iplookup");
956 #endif
957 #ifdef ROUTER_MANUALROUTE
958 fprintf(f, " manualroute");
959 #endif
960 #ifdef ROUTER_QUERYPROGRAM
961 fprintf(f, " queryprogram");
962 #endif
963 #ifdef ROUTER_REDIRECT
964 fprintf(f, " redirect");
965 #endif
966 fprintf(f, "\n");
967
968 fprintf(f, "Transports:");
969 #ifdef TRANSPORT_APPENDFILE
970 fprintf(f, " appendfile");
971 #ifdef SUPPORT_MAILDIR
972 fprintf(f, "/maildir");
973 #endif
974 #ifdef SUPPORT_MAILSTORE
975 fprintf(f, "/mailstore");
976 #endif
977 #ifdef SUPPORT_MBX
978 fprintf(f, "/mbx");
979 #endif
980 #endif
981 #ifdef TRANSPORT_AUTOREPLY
982 fprintf(f, " autoreply");
983 #endif
984 #ifdef TRANSPORT_LMTP
985 fprintf(f, " lmtp");
986 #endif
987 #ifdef TRANSPORT_PIPE
988 fprintf(f, " pipe");
989 #endif
990 #ifdef TRANSPORT_SMTP
991 fprintf(f, " smtp");
992 #endif
993 fprintf(f, "\n");
994
995 if (fixed_never_users[0] > 0)
996 {
997 int i;
998 fprintf(f, "Fixed never_users: ");
999 for (i = 1; i <= (int)fixed_never_users[0] - 1; i++)
1000 fprintf(f, "%d:", (unsigned int)fixed_never_users[i]);
1001 fprintf(f, "%d\n", (unsigned int)fixed_never_users[i]);
1002 }
1003 }
1004
1005
1006
1007
1008 /*************************************************
1009 * Quote a local part *
1010 *************************************************/
1011
1012 /* This function is used when a sender address or a From: or Sender: header
1013 line is being created from the caller's login, or from an authenticated_id. It
1014 applies appropriate quoting rules for a local part.
1015
1016 Argument: the local part
1017 Returns: the local part, quoted if necessary
1018 */
1019
1020 uschar *
1021 local_part_quote(uschar *lpart)
1022 {
1023 BOOL needs_quote = FALSE;
1024 int size, ptr;
1025 uschar *yield;
1026 uschar *t;
1027
1028 for (t = lpart; !needs_quote && *t != 0; t++)
1029 {
1030 needs_quote = !isalnum(*t) && strchr("!#$%&'*+-/=?^_`{|}~", *t) == NULL &&
1031 (*t != '.' || t == lpart || t[1] == 0);
1032 }
1033
1034 if (!needs_quote) return lpart;
1035
1036 size = ptr = 0;
1037 yield = string_cat(NULL, &size, &ptr, US"\"", 1);
1038
1039 for (;;)
1040 {
1041 uschar *nq = US Ustrpbrk(lpart, "\\\"");
1042 if (nq == NULL)
1043 {
1044 yield = string_cat(yield, &size, &ptr, lpart, Ustrlen(lpart));
1045 break;
1046 }
1047 yield = string_cat(yield, &size, &ptr, lpart, nq - lpart);
1048 yield = string_cat(yield, &size, &ptr, US"\\", 1);
1049 yield = string_cat(yield, &size, &ptr, nq, 1);
1050 lpart = nq + 1;
1051 }
1052
1053 yield = string_cat(yield, &size, &ptr, US"\"", 1);
1054 yield[ptr] = 0;
1055 return yield;
1056 }
1057
1058
1059
1060 #ifdef USE_READLINE
1061 /*************************************************
1062 * Load readline() functions *
1063 *************************************************/
1064
1065 /* This function is called from testing executions that read data from stdin,
1066 but only when running as the calling user. Currently, only -be does this. The
1067 function loads the readline() function library and passes back the functions.
1068 On some systems, it needs the curses library, so load that too, but try without
1069 it if loading fails. All this functionality has to be requested at build time.
1070
1071 Arguments:
1072 fn_readline_ptr pointer to where to put the readline pointer
1073 fn_addhist_ptr pointer to where to put the addhistory function
1074
1075 Returns: the dlopen handle or NULL on failure
1076 */
1077
1078 static void *
1079 set_readline(char * (**fn_readline_ptr)(char *),
1080 char * (**fn_addhist_ptr)(char *))
1081 {
1082 void *dlhandle;
1083 void *dlhandle_curses = dlopen("libcurses.so", RTLD_GLOBAL|RTLD_LAZY);
1084
1085 dlhandle = dlopen("libreadline.so", RTLD_GLOBAL|RTLD_NOW);
1086 if (dlhandle_curses != NULL) dlclose(dlhandle_curses);
1087
1088 if (dlhandle != NULL)
1089 {
1090 *fn_readline_ptr = (char *(*)(char*))dlsym(dlhandle, "readline");
1091 *fn_addhist_ptr = (char *(*)(char*))dlsym(dlhandle, "add_history");
1092 }
1093 else
1094 {
1095 DEBUG(D_any) debug_printf("failed to load readline: %s\n", dlerror());
1096 }
1097
1098 return dlhandle;
1099 }
1100 #endif
1101
1102
1103
1104 /*************************************************
1105 * Get a line from stdin for testing things *
1106 *************************************************/
1107
1108 /* This function is called when running tests that can take a number of lines
1109 of input (for example, -be and -bt). It handles continuations and trailing
1110 spaces. And prompting and a blank line output on eof. If readline() is in use,
1111 the arguments are non-NULL and provide the relevant functions.
1112
1113 Arguments:
1114 fn_readline readline function or NULL
1115 fn_addhist addhist function or NULL
1116
1117 Returns: pointer to dynamic memory, or NULL at end of file
1118 */
1119
1120 static uschar *
1121 get_stdinput(char *(*fn_readline)(char *), char *(*fn_addhist)(char *))
1122 {
1123 int i;
1124 int size = 0;
1125 int ptr = 0;
1126 uschar *yield = NULL;
1127
1128 if (fn_readline == NULL) printf("> ");
1129
1130 for (i = 0;; i++)
1131 {
1132 uschar buffer[1024];
1133 uschar *p, *ss;
1134
1135 #ifdef USE_READLINE
1136 char *readline_line = NULL;
1137 if (fn_readline != NULL)
1138 {
1139 if ((readline_line = fn_readline((i > 0)? "":"> ")) == NULL) break;
1140 if (*readline_line != 0 && fn_addhist != NULL) fn_addhist(readline_line);
1141 p = US readline_line;
1142 }
1143 else
1144 #endif
1145
1146 /* readline() not in use */
1147
1148 {
1149 if (Ufgets(buffer, sizeof(buffer), stdin) == NULL) break;
1150 p = buffer;
1151 }
1152
1153 /* Handle the line */
1154
1155 ss = p + (int)Ustrlen(p);
1156 while (ss > p && isspace(ss[-1])) ss--;
1157
1158 if (i > 0)
1159 {
1160 while (p < ss && isspace(*p)) p++; /* leading space after cont */
1161 }
1162
1163 yield = string_cat(yield, &size, &ptr, p, ss - p);
1164
1165 #ifdef USE_READLINE
1166 if (fn_readline != NULL) free(readline_line);
1167 #endif
1168
1169 if (ss == p || yield[ptr-1] != '\\')
1170 {
1171 yield[ptr] = 0;
1172 break;
1173 }
1174 yield[--ptr] = 0;
1175 }
1176
1177 if (yield == NULL) printf("\n");
1178 return yield;
1179 }
1180
1181
1182
1183 /*************************************************
1184 * Entry point and high-level code *
1185 *************************************************/
1186
1187 /* Entry point for the Exim mailer. Analyse the arguments and arrange to take
1188 the appropriate action. All the necessary functions are present in the one
1189 binary. I originally thought one should split it up, but it turns out that so
1190 much of the apparatus is needed in each chunk that one might as well just have
1191 it all available all the time, which then makes the coding easier as well.
1192
1193 Arguments:
1194 argc count of entries in argv
1195 argv argument strings, with argv[0] being the program name
1196
1197 Returns: EXIT_SUCCESS if terminated successfully
1198 EXIT_FAILURE otherwise, except when a message has been sent
1199 to the sender, and -oee was given
1200 */
1201
1202 int
1203 main(int argc, char **cargv)
1204 {
1205 uschar **argv = USS cargv;
1206 int arg_receive_timeout = -1;
1207 int arg_smtp_receive_timeout = -1;
1208 int arg_error_handling = error_handling;
1209 int filter_sfd = -1;
1210 int filter_ufd = -1;
1211 int group_count;
1212 int i;
1213 int list_queue_option = 0;
1214 int msg_action = 0;
1215 int msg_action_arg = -1;
1216 int namelen = (argv[0] == NULL)? 0 : Ustrlen(argv[0]);
1217 int queue_only_reason = 0;
1218 #ifdef EXIM_PERL
1219 int perl_start_option = 0;
1220 #endif
1221 int recipients_arg = argc;
1222 int sender_address_domain = 0;
1223 int test_retry_arg = -1;
1224 int test_rewrite_arg = -1;
1225 BOOL arg_queue_only = FALSE;
1226 BOOL bi_option = FALSE;
1227 BOOL checking = FALSE;
1228 BOOL count_queue = FALSE;
1229 BOOL expansion_test = FALSE;
1230 BOOL extract_recipients = FALSE;
1231 BOOL forced_delivery = FALSE;
1232 BOOL f_end_dot = FALSE;
1233 BOOL deliver_give_up = FALSE;
1234 BOOL list_queue = FALSE;
1235 BOOL list_options = FALSE;
1236 BOOL local_queue_only;
1237 BOOL more = TRUE;
1238 BOOL one_msg_action = FALSE;
1239 BOOL queue_only_set = FALSE;
1240 BOOL receiving_message = TRUE;
1241 BOOL unprivileged;
1242 BOOL removed_privilege = FALSE;
1243 BOOL verify_address_mode = FALSE;
1244 BOOL verify_as_sender = FALSE;
1245 BOOL version_printed = FALSE;
1246 uschar *alias_arg = NULL;
1247 uschar *called_as = US"";
1248 uschar *start_queue_run_id = NULL;
1249 uschar *stop_queue_run_id = NULL;
1250 uschar *ftest_domain = NULL;
1251 uschar *ftest_localpart = NULL;
1252 uschar *ftest_prefix = NULL;
1253 uschar *ftest_suffix = NULL;
1254 uschar *real_sender_address;
1255 uschar *originator_home = US"/";
1256 void *reset_point;
1257
1258 struct passwd *pw;
1259 struct stat statbuf;
1260 pid_t passed_qr_pid = (pid_t)0;
1261 int passed_qr_pipe = -1;
1262 gid_t group_list[NGROUPS_MAX];
1263
1264 /* Possible options for -R and -S */
1265
1266 static uschar *rsopts[] = { US"f", US"ff", US"r", US"rf", US"rff" };
1267
1268 /* Need to define this in case we need to change the environment in order
1269 to get rid of a bogus time zone. We have to make it char rather than uschar
1270 because some OS define it in /usr/include/unistd.h. */
1271
1272 extern char **environ;
1273
1274 /* If the Exim user and/or group and/or the configuration file owner/group were
1275 defined by ref:name at build time, we must now find the actual uid/gid values.
1276 This is a feature to make the lives of binary distributors easier. */
1277
1278 #ifdef EXIM_USERNAME
1279 if (route_finduser(US EXIM_USERNAME, &pw, &exim_uid))
1280 {
1281 exim_gid = pw->pw_gid;
1282 }
1283 else
1284 {
1285 fprintf(stderr, "exim: failed to find uid for user name \"%s\"\n",
1286 EXIM_USERNAME);
1287 exit(EXIT_FAILURE);
1288 }
1289 #endif
1290
1291 #ifdef EXIM_GROUPNAME
1292 if (!route_findgroup(US EXIM_GROUPNAME, &exim_gid))
1293 {
1294 fprintf(stderr, "exim: failed to find gid for group name \"%s\"\n",
1295 EXIM_GROUPNAME);
1296 exit(EXIT_FAILURE);
1297 }
1298 #endif
1299
1300 #ifdef CONFIGURE_OWNERNAME
1301 if (!route_finduser(US CONFIGURE_OWNERNAME, NULL, &config_uid))
1302 {
1303 fprintf(stderr, "exim: failed to find uid for user name \"%s\"\n",
1304 CONFIGURE_OWNERNAME);
1305 exit(EXIT_FAILURE);
1306 }
1307 #endif
1308
1309 #ifdef CONFIGURE_GROUPNAME
1310 if (!route_findgroup(US CONFIGURE_GROUPNAME, &config_gid))
1311 {
1312 fprintf(stderr, "exim: failed to find gid for group name \"%s\"\n",
1313 CONFIGURE_GROUPNAME);
1314 exit(EXIT_FAILURE);
1315 }
1316 #endif
1317
1318 /* In the Cygwin environment, some initialization needs doing. It is fudged
1319 in by means of this macro. */
1320
1321 #ifdef OS_INIT
1322 OS_INIT
1323 #endif
1324
1325 /* Check a field which is patched when we are running Exim within its
1326 testing harness; do a fast initial check, and then the whole thing. */
1327
1328 running_in_test_harness =
1329 *running_status == '<' && Ustrcmp(running_status, "<<<testing>>>") == 0;
1330
1331 /* The C standard says that the equivalent of setlocale(LC_ALL, "C") is obeyed
1332 at the start of a program; however, it seems that some environments do not
1333 follow this. A "strange" locale can affect the formatting of timestamps, so we
1334 make quite sure. */
1335
1336 setlocale(LC_ALL, "C");
1337
1338 /* Set up the default handler for timing using alarm(). */
1339
1340 os_non_restarting_signal(SIGALRM, sigalrm_handler);
1341
1342 /* Ensure we have a buffer for constructing log entries. Use malloc directly,
1343 because store_malloc writes a log entry on failure. */
1344
1345 log_buffer = (uschar *)malloc(LOG_BUFFER_SIZE);
1346 if (log_buffer == NULL)
1347 {
1348 fprintf(stderr, "exim: failed to get store for log buffer\n");
1349 exit(EXIT_FAILURE);
1350 }
1351
1352 /* Set log_stderr to stderr, provided that stderr exists. This gets reset to
1353 NULL when the daemon is run and the file is closed. We have to use this
1354 indirection, because some systems don't allow writing to the variable "stderr".
1355 */
1356
1357 if (fstat(fileno(stderr), &statbuf) >= 0) log_stderr = stderr;
1358
1359 /* Arrange for the PCRE regex library to use our store functions. Note that
1360 the normal calls are actually macros that add additional arguments for
1361 debugging purposes so we have to assign specially constructed functions here.
1362 The default is to use store in the stacking pool, but this is overridden in the
1363 regex_must_compile() function. */
1364
1365 pcre_malloc = function_store_get;
1366 pcre_free = function_dummy_free;
1367
1368 /* Ensure there is a big buffer for temporary use in several places. It is put
1369 in malloc store so that it can be freed for enlargement if necessary. */
1370
1371 big_buffer = store_malloc(big_buffer_size);
1372
1373 /* Set up the handler for the data request signal, and set the initial
1374 descriptive text. */
1375
1376 set_process_info("initializing");
1377 os_restarting_signal(SIGUSR1, usr1_handler);
1378
1379 /* SIGHUP is used to get the daemon to reconfigure. It gets set as appropriate
1380 in the daemon code. For the rest of Exim's uses, we ignore it. */
1381
1382 signal(SIGHUP, SIG_IGN);
1383
1384 /* We don't want to die on pipe errors as the code is written to handle
1385 the write error instead. */
1386
1387 signal(SIGPIPE, SIG_IGN);
1388
1389 /* Under some circumstance on some OS, Exim can get called with SIGCHLD
1390 set to SIG_IGN. This causes subprocesses that complete before the parent
1391 process waits for them not to hang around, so when Exim calls wait(), nothing
1392 is there. The wait() code has been made robust against this, but let's ensure
1393 that SIGCHLD is set to SIG_DFL, because it's tidier to wait and get a process
1394 ending status. We use sigaction rather than plain signal() on those OS where
1395 SA_NOCLDWAIT exists, because we want to be sure it is turned off. (There was a
1396 problem on AIX with this.) */
1397
1398 #ifdef SA_NOCLDWAIT
1399 {
1400 struct sigaction act;
1401 act.sa_handler = SIG_DFL;
1402 sigemptyset(&(act.sa_mask));
1403 act.sa_flags = 0;
1404 sigaction(SIGCHLD, &act, NULL);
1405 }
1406 #else
1407 signal(SIGCHLD, SIG_DFL);
1408 #endif
1409
1410 /* Save the arguments for use if we re-exec exim as a daemon after receiving
1411 SIGHUP. */
1412
1413 sighup_argv = argv;
1414
1415 /* Set up the version number. Set up the leading 'E' for the external form of
1416 message ids, set the pointer to the internal form, and initialize it to
1417 indicate no message being processed. */
1418
1419 version_init();
1420 message_id_option[0] = '-';
1421 message_id_external = message_id_option + 1;
1422 message_id_external[0] = 'E';
1423 message_id = message_id_external + 1;
1424 message_id[0] = 0;
1425
1426 /* Set the umask to zero so that any files that Exim creates are created
1427 with the modes that it specifies. */
1428
1429 umask(0);
1430
1431 /* Precompile the regular expression for matching a message id. Keep this in
1432 step with the code that generates ids in the accept.c module. We need to do
1433 this here, because the -M options check their arguments for syntactic validity
1434 using mac_ismsgid, which uses this. */
1435
1436 regex_ismsgid =
1437 regex_must_compile(US"^(?:[^\\W_]{6}-){2}[^\\W_]{2}$", FALSE, TRUE);
1438
1439 /* If the program is called as "mailq" treat it as equivalent to "exim -bp";
1440 this seems to be a generally accepted convention, since one finds symbolic
1441 links called "mailq" in standard OS configurations. */
1442
1443 if ((namelen == 5 && Ustrcmp(argv[0], "mailq") == 0) ||
1444 (namelen > 5 && Ustrncmp(argv[0] + namelen - 6, "/mailq", 6) == 0))
1445 {
1446 list_queue = TRUE;
1447 receiving_message = FALSE;
1448 called_as = US"-mailq";
1449 }
1450
1451 /* If the program is called as "rmail" treat it as equivalent to
1452 "exim -i -oee", thus allowing UUCP messages to be input using non-SMTP mode,
1453 i.e. preventing a single dot on a line from terminating the message, and
1454 returning with zero return code, even in cases of error (provided an error
1455 message has been sent). */
1456
1457 if ((namelen == 5 && Ustrcmp(argv[0], "rmail") == 0) ||
1458 (namelen > 5 && Ustrncmp(argv[0] + namelen - 6, "/rmail", 6) == 0))
1459 {
1460 dot_ends = FALSE;
1461 called_as = US"-rmail";
1462 errors_sender_rc = EXIT_SUCCESS;
1463 }
1464
1465 /* If the program is called as "rsmtp" treat it as equivalent to "exim -bS";
1466 this is a smail convention. */
1467
1468 if ((namelen == 5 && Ustrcmp(argv[0], "rsmtp") == 0) ||
1469 (namelen > 5 && Ustrncmp(argv[0] + namelen - 6, "/rsmtp", 6) == 0))
1470 {
1471 smtp_input = smtp_batched_input = TRUE;
1472 called_as = US"-rsmtp";
1473 }
1474
1475 /* If the program is called as "runq" treat it as equivalent to "exim -q";
1476 this is a smail convention. */
1477
1478 if ((namelen == 4 && Ustrcmp(argv[0], "runq") == 0) ||
1479 (namelen > 4 && Ustrncmp(argv[0] + namelen - 5, "/runq", 5) == 0))
1480 {
1481 queue_interval = 0;
1482 receiving_message = FALSE;
1483 called_as = US"-runq";
1484 }
1485
1486 /* If the program is called as "newaliases" treat it as equivalent to
1487 "exim -bi"; this is a sendmail convention. */
1488
1489 if ((namelen == 10 && Ustrcmp(argv[0], "newaliases") == 0) ||
1490 (namelen > 10 && Ustrncmp(argv[0] + namelen - 11, "/newaliases", 11) == 0))
1491 {
1492 bi_option = TRUE;
1493 receiving_message = FALSE;
1494 called_as = US"-newaliases";
1495 }
1496
1497 /* Save the original effective uid for a couple of uses later. It should
1498 normally be root, but in some esoteric environments it may not be. */
1499
1500 original_euid = geteuid();
1501
1502 /* Get the real uid and gid. If the caller is root, force the effective uid/gid
1503 to be the same as the real ones. This makes a difference only if Exim is setuid
1504 (or setgid) to something other than root, which could be the case in some
1505 special configurations. */
1506
1507 real_uid = getuid();
1508 real_gid = getgid();
1509
1510 if (real_uid == root_uid)
1511 {
1512 setgid(real_gid);
1513 setuid(real_uid);
1514 }
1515
1516 /* If neither the original real uid nor the original euid was root, Exim is
1517 running in an unprivileged state. */
1518
1519 unprivileged = (real_uid != root_uid && original_euid != root_uid);
1520
1521 /* If the first argument is --help, pretend there are no arguments. This will
1522 cause a brief message to be given. */
1523
1524 if (argc > 1 && Ustrcmp(argv[1], "--help") == 0) argc = 1;
1525
1526 /* Scan the program's arguments. Some can be dealt with right away; others are
1527 simply recorded for checking and handling afterwards. Do a high-level switch
1528 on the second character (the one after '-'), to save some effort. */
1529
1530 for (i = 1; i < argc; i++)
1531 {
1532 BOOL badarg = FALSE;
1533 uschar *arg = argv[i];
1534 uschar *argrest;
1535 int switchchar;
1536
1537 /* An argument not starting with '-' is the start of a recipients list;
1538 break out of the options-scanning loop. */
1539
1540 if (arg[0] != '-')
1541 {
1542 recipients_arg = i;
1543 break;
1544 }
1545
1546 /* An option consistion of -- terminates the options */
1547
1548 if (Ustrcmp(arg, "--") == 0)
1549 {
1550 recipients_arg = i + 1;
1551 break;
1552 }
1553
1554 /* Handle flagged options */
1555
1556 switchchar = arg[1];
1557 argrest = arg+2;
1558
1559 /* Make all -ex options synonymous with -oex arguments, since that
1560 is assumed by various callers. Also make -qR options synonymous with -R
1561 options, as that seems to be required as well. Allow for -qqR too, and
1562 the same for -S options. */
1563
1564 if (Ustrncmp(arg+1, "oe", 2) == 0 ||
1565 Ustrncmp(arg+1, "qR", 2) == 0 ||
1566 Ustrncmp(arg+1, "qS", 2) == 0)
1567 {
1568 switchchar = arg[2];
1569 argrest++;
1570 }
1571 else if (Ustrncmp(arg+1, "qqR", 3) == 0 || Ustrncmp(arg+1, "qqS", 3) == 0)
1572 {
1573 switchchar = arg[3];
1574 argrest += 2;
1575 queue_2stage = TRUE;
1576 }
1577
1578 /* Make -r synonymous with -f, since it is a documented alias */
1579
1580 else if (arg[1] == 'r') switchchar = 'f';
1581
1582 /* Make -ov synonymous with -v */
1583
1584 else if (Ustrcmp(arg, "-ov") == 0)
1585 {
1586 switchchar = 'v';
1587 argrest++;
1588 }
1589
1590 /* High-level switch on active initial letter */
1591
1592 switch(switchchar)
1593 {
1594 /* -Btype is a sendmail option for 7bit/8bit setting. Exim is 8-bit clean
1595 so has no need of it. */
1596
1597 case 'B':
1598 if (*argrest == 0) i++; /* Skip over the type */
1599 break;
1600
1601
1602 case 'b':
1603 receiving_message = FALSE; /* Reset TRUE for -bm, -bS, -bs below */
1604
1605 /* -bd: Run in daemon mode, awaiting SMTP connections.
1606 -bdf: Ditto, but in the foreground.
1607 */
1608
1609 if (*argrest == 'd')
1610 {
1611 daemon_listen = TRUE;
1612 if (*(++argrest) == 'f') background_daemon = FALSE;
1613 else if (*argrest != 0) { badarg = TRUE; break; }
1614 }
1615
1616 /* -be: Run in expansion test mode */
1617
1618 else if (*argrest == 'e')
1619 expansion_test = checking = TRUE;
1620
1621 /* -bF: Run system filter test */
1622
1623 else if (*argrest == 'F')
1624 {
1625 filter_test |= FTEST_SYSTEM;
1626 if (*(++argrest) != 0) { badarg = TRUE; break; }
1627 if (++i < argc) filter_test_sfile = argv[i]; else
1628 {
1629 fprintf(stderr, "exim: file name expected after %s\n", argv[i-1]);
1630 exit(EXIT_FAILURE);
1631 }
1632 }
1633
1634 /* -bf: Run user filter test
1635 -bfd: Set domain for filter testing
1636 -bfl: Set local part for filter testing
1637 -bfp: Set prefix for filter testing
1638 -bfs: Set suffix for filter testing
1639 */
1640
1641 else if (*argrest == 'f')
1642 {
1643 if (*(++argrest) == 0)
1644 {
1645 filter_test |= FTEST_USER;
1646 if (++i < argc) filter_test_ufile = argv[i]; else
1647 {
1648 fprintf(stderr, "exim: file name expected after %s\n", argv[i-1]);
1649 exit(EXIT_FAILURE);
1650 }
1651 }
1652 else
1653 {
1654 if (++i >= argc)
1655 {
1656 fprintf(stderr, "exim: string expected after %s\n", arg);
1657 exit(EXIT_FAILURE);
1658 }
1659 if (Ustrcmp(argrest, "d") == 0) ftest_domain = argv[i];
1660 else if (Ustrcmp(argrest, "l") == 0) ftest_localpart = argv[i];
1661 else if (Ustrcmp(argrest, "p") == 0) ftest_prefix = argv[i];
1662 else if (Ustrcmp(argrest, "s") == 0) ftest_suffix = argv[i];
1663 else { badarg = TRUE; break; }
1664 }
1665 }
1666
1667 /* -bh: Host checking - an IP address must follow. */
1668
1669 else if (Ustrcmp(argrest, "h") == 0 || Ustrcmp(argrest, "hc") == 0)
1670 {
1671 if (++i >= argc) { badarg = TRUE; break; }
1672 sender_host_address = argv[i];
1673 host_checking = checking = log_testing_mode = TRUE;
1674 host_checking_callout = argrest[1] == 'c';
1675 }
1676
1677 /* -bi: This option is used by sendmail to initialize *the* alias file,
1678 though it has the -oA option to specify a different file. Exim has no
1679 concept of *the* alias file, but since Sun's YP make script calls
1680 sendmail this way, some support must be provided. */
1681
1682 else if (Ustrcmp(argrest, "i") == 0) bi_option = TRUE;
1683
1684 /* -bm: Accept and deliver message - the default option. Reinstate
1685 receiving_message, which got turned off for all -b options. */
1686
1687 else if (Ustrcmp(argrest, "m") == 0) receiving_message = TRUE;
1688
1689 /* -bnq: For locally originating messages, do not qualify unqualified
1690 addresses. In the envelope, this causes errors; in header lines they
1691 just get left. */
1692
1693 else if (Ustrcmp(argrest, "nq") == 0)
1694 {
1695 allow_unqualified_sender = FALSE;
1696 allow_unqualified_recipient = FALSE;
1697 }
1698
1699 /* -bpxx: List the contents of the mail queue, in various forms. If
1700 the option is -bpc, just a queue count is needed. Otherwise, if the
1701 first letter after p is r, then order is random. */
1702
1703 else if (*argrest == 'p')
1704 {
1705 if (*(++argrest) == 'c')
1706 {
1707 count_queue = TRUE;
1708 if (*(++argrest) != 0) badarg = TRUE;
1709 break;
1710 }
1711
1712 if (*argrest == 'r')
1713 {
1714 list_queue_option = 8;
1715 argrest++;
1716 }
1717 else list_queue_option = 0;
1718
1719 list_queue = TRUE;
1720
1721 /* -bp: List the contents of the mail queue, top-level only */
1722
1723 if (*argrest == 0) {}
1724
1725 /* -bpu: List the contents of the mail queue, top-level undelivered */
1726
1727 else if (Ustrcmp(argrest, "u") == 0) list_queue_option += 1;
1728
1729 /* -bpa: List the contents of the mail queue, including all delivered */
1730
1731 else if (Ustrcmp(argrest, "a") == 0) list_queue_option += 2;
1732
1733 /* Unknown after -bp[r] */
1734
1735 else
1736 {
1737 badarg = TRUE;
1738 break;
1739 }
1740 }
1741
1742
1743 /* -bP: List the configuration variables given as the address list.
1744 Force -v, so configuration errors get displayed. */
1745
1746 else if (Ustrcmp(argrest, "P") == 0)
1747 {
1748 list_options = TRUE;
1749 debug_selector |= D_v;
1750 debug_file = stderr;
1751 }
1752
1753 /* -brt: Test retry configuration lookup */
1754
1755 else if (Ustrcmp(argrest, "rt") == 0)
1756 {
1757 test_retry_arg = i + 1;
1758 goto END_ARG;
1759 }
1760
1761 /* -brw: Test rewrite configuration */
1762
1763 else if (Ustrcmp(argrest, "rw") == 0)
1764 {
1765 test_rewrite_arg = i + 1;
1766 goto END_ARG;
1767 }
1768
1769 /* -bS: Read SMTP commands on standard input, but produce no replies -
1770 all errors are reported by sending messages. */
1771
1772 else if (Ustrcmp(argrest, "S") == 0)
1773 smtp_input = smtp_batched_input = receiving_message = TRUE;
1774
1775 /* -bs: Read SMTP commands on standard input and produce SMTP replies
1776 on standard output. */
1777
1778 else if (Ustrcmp(argrest, "s") == 0) smtp_input = receiving_message = TRUE;
1779
1780 /* -bt: address testing mode */
1781
1782 else if (Ustrcmp(argrest, "t") == 0)
1783 address_test_mode = checking = log_testing_mode = TRUE;
1784
1785 /* -bv: verify addresses */
1786
1787 else if (Ustrcmp(argrest, "v") == 0)
1788 verify_address_mode = checking = log_testing_mode = TRUE;
1789
1790 /* -bvs: verify sender addresses */
1791
1792 else if (Ustrcmp(argrest, "vs") == 0)
1793 {
1794 verify_address_mode = checking = log_testing_mode = TRUE;
1795 verify_as_sender = TRUE;
1796 }
1797
1798 /* -bV: Print version string and support details */
1799
1800 else if (Ustrcmp(argrest, "V") == 0)
1801 {
1802 printf("Exim version %s #%s built %s\n", version_string,
1803 version_cnumber, version_date);
1804 printf("%s\n", CS version_copyright);
1805 version_printed = TRUE;
1806 show_whats_supported(stdout);
1807 }
1808
1809 else badarg = TRUE;
1810 break;
1811
1812
1813 /* -C: change configuration file list; ignore if it isn't really
1814 a change! Enforce a prefix check if required. */
1815
1816 case 'C':
1817 if (*argrest == 0)
1818 {
1819 if(++i < argc) argrest = argv[i]; else
1820 { badarg = TRUE; break; }
1821 }
1822 if (Ustrcmp(config_main_filelist, argrest) != 0)
1823 {
1824 #ifdef ALT_CONFIG_PREFIX
1825 int sep = 0;
1826 int len = Ustrlen(ALT_CONFIG_PREFIX);
1827 uschar *list = argrest;
1828 uschar *filename;
1829 while((filename = string_nextinlist(&list, &sep, big_buffer,
1830 big_buffer_size)) != NULL)
1831 {
1832 if ((Ustrlen(filename) < len ||
1833 Ustrncmp(filename, ALT_CONFIG_PREFIX, len) != 0 ||
1834 Ustrstr(filename, "/../") != NULL) &&
1835 (Ustrcmp(filename, "/dev/null") != 0 || real_uid != root_uid))
1836 {
1837 fprintf(stderr, "-C Permission denied\n");
1838 exit(EXIT_FAILURE);
1839 }
1840 }
1841 #endif
1842
1843 config_main_filelist = argrest;
1844 config_changed = TRUE;
1845 }
1846 break;
1847
1848
1849 /* -D: set up a macro definition */
1850
1851 case 'D':
1852 #ifdef DISABLE_D_OPTION
1853 fprintf(stderr, "exim: -D is not available in this Exim binary\n");
1854 exit(EXIT_FAILURE);
1855 #else
1856 {
1857 int ptr = 0;
1858 macro_item *mlast = NULL;
1859 macro_item *m;
1860 uschar name[24];
1861 uschar *s = argrest;
1862
1863 while (isspace(*s)) s++;
1864
1865 if (*s < 'A' || *s > 'Z')
1866 {
1867 fprintf(stderr, "exim: macro name set by -D must start with "
1868 "an upper case letter\n");
1869 exit(EXIT_FAILURE);
1870 }
1871
1872 while (isalnum(*s) || *s == '_')
1873 {
1874 if (ptr < sizeof(name)-1) name[ptr++] = *s;
1875 s++;
1876 }
1877 name[ptr] = 0;
1878 if (ptr == 0) { badarg = TRUE; break; }
1879 while (isspace(*s)) s++;
1880 if (*s != 0)
1881 {
1882 if (*s++ != '=') { badarg = TRUE; break; }
1883 while (isspace(*s)) s++;
1884 }
1885
1886 for (m = macros; m != NULL; m = m->next)
1887 {
1888 if (Ustrcmp(m->name, name) == 0)
1889 {
1890 fprintf(stderr, "exim: duplicated -D in command line\n");
1891 exit(EXIT_FAILURE);
1892 }
1893 mlast = m;
1894 }
1895
1896 m = store_get(sizeof(macro_item) + Ustrlen(name));
1897 m->next = NULL;
1898 m->command_line = TRUE;
1899 if (mlast == NULL) macros = m; else mlast->next = m;
1900 Ustrcpy(m->name, name);
1901 m->replacement = string_copy(s);
1902
1903 if (clmacro_count >= MAX_CLMACROS)
1904 {
1905 fprintf(stderr, "exim: too many -D options on command line\n");
1906 exit(EXIT_FAILURE);
1907 }
1908 clmacros[clmacro_count++] = string_sprintf("-D%s=%s", m->name,
1909 m->replacement);
1910 }
1911 #endif
1912 break;
1913
1914 /* -d: Set debug level (see also -v below) or set the drop_cr option.
1915 The latter is now a no-op, retained for compatibility only. If -dd is used,
1916 debugging subprocesses of the daemon is disabled. */
1917
1918 case 'd':
1919 if (Ustrcmp(argrest, "ropcr") == 0)
1920 {
1921 /* drop_cr = TRUE; */
1922 }
1923
1924 /* Use an intermediate variable so that we don't set debugging while
1925 decoding the debugging bits. */
1926
1927 else
1928 {
1929 unsigned int selector = D_default;
1930 debug_selector = 0;
1931 debug_file = NULL;
1932 if (*argrest == 'd')
1933 {
1934 debug_daemon = TRUE;
1935 argrest++;
1936 }
1937 if (*argrest != 0)
1938 decode_bits(&selector, NULL, D_memory, 0, argrest, debug_options,
1939 debug_options_count, US"debug");
1940 debug_selector = selector;
1941 }
1942 break;
1943
1944
1945 /* -E: This is a local error message. This option is not intended for
1946 external use at all, but is not restricted to trusted callers because it
1947 does no harm (just suppresses certain error messages) and if Exim is run
1948 not setuid root it won't always be trusted when it generates error
1949 messages using this option. If there is a message id following -E, point
1950 message_reference at it, for logging. */
1951
1952 case 'E':
1953 local_error_message = TRUE;
1954 if (mac_ismsgid(argrest)) message_reference = argrest;
1955 break;
1956
1957
1958 /* -ex: The vacation program calls sendmail with the undocumented "-eq"
1959 option, so it looks as if historically the -oex options are also callable
1960 without the leading -o. So we have to accept them. Before the switch,
1961 anything starting -oe has been converted to -e. Exim does not support all
1962 of the sendmail error options. */
1963
1964 case 'e':
1965 if (Ustrcmp(argrest, "e") == 0)
1966 {
1967 arg_error_handling = ERRORS_SENDER;
1968 errors_sender_rc = EXIT_SUCCESS;
1969 }
1970 else if (Ustrcmp(argrest, "m") == 0) arg_error_handling = ERRORS_SENDER;
1971 else if (Ustrcmp(argrest, "p") == 0) arg_error_handling = ERRORS_STDERR;
1972 else if (Ustrcmp(argrest, "q") == 0) arg_error_handling = ERRORS_STDERR;
1973 else if (Ustrcmp(argrest, "w") == 0) arg_error_handling = ERRORS_SENDER;
1974 else badarg = TRUE;
1975 break;
1976
1977
1978 /* -F: Set sender's full name, used instead of the gecos entry from
1979 the password file. Since users can usually alter their gecos entries,
1980 there's no security involved in using this instead. The data can follow
1981 the -F or be in the next argument. */
1982
1983 case 'F':
1984 if (*argrest == 0)
1985 {
1986 if(++i < argc) argrest = argv[i]; else
1987 { badarg = TRUE; break; }
1988 }
1989 originator_name = argrest;
1990 break;
1991
1992
1993 /* -f: Set sender's address - this value is only actually used if Exim is
1994 run by a trusted user, or if untrusted_set_sender is set and matches the
1995 address, except that the null address can always be set by any user. The
1996 test for this happens later, when the value given here is ignored when not
1997 permitted. For an untrusted user, the actual sender is still put in Sender:
1998 if it doesn't match the From: header (unless no_local_from_check is set).
1999 The data can follow the -f or be in the next argument. The -r switch is an
2000 obsolete form of -f but since there appear to be programs out there that
2001 use anything that sendmail has ever supported, better accept it - the
2002 synonymizing is done before the switch above.
2003
2004 At this stage, we must allow domain literal addresses, because we don't
2005 know what the setting of allow_domain_literals is yet. Ditto for trailing
2006 dots and strip_trailing_dot. */
2007
2008 case 'f':
2009 {
2010 int start, end;
2011 uschar *errmess;
2012 if (*argrest == 0)
2013 {
2014 if (i+1 < argc) argrest = argv[++i]; else
2015 { badarg = TRUE; break; }
2016 }
2017 if (*argrest == 0)
2018 {
2019 sender_address = string_sprintf(""); /* Ensure writeable memory */
2020 }
2021 else
2022 {
2023 uschar *temp = argrest + Ustrlen(argrest) - 1;
2024 while (temp >= argrest && isspace(*temp)) temp--;
2025 if (temp >= argrest && *temp == '.') f_end_dot = TRUE;
2026 allow_domain_literals = TRUE;
2027 strip_trailing_dot = TRUE;
2028 sender_address = parse_extract_address(argrest, &errmess, &start, &end,
2029 &sender_address_domain, TRUE);
2030 allow_domain_literals = FALSE;
2031 strip_trailing_dot = FALSE;
2032 if (sender_address == NULL)
2033 {
2034 fprintf(stderr, "exim: bad -f address \"%s\": %s\n", argrest, errmess);
2035 return EXIT_FAILURE;
2036 }
2037 }
2038 sender_address_forced = TRUE;
2039 }
2040 break;
2041
2042 /* This is some Sendmail thing which can be ignored */
2043
2044 case 'G':
2045 break;
2046
2047 /* -h: Set the hop count for an incoming message. Exim does not currently
2048 support this; it always computes it by counting the Received: headers.
2049 To put it in will require a change to the spool header file format. */
2050
2051 case 'h':
2052 if (*argrest == 0)
2053 {
2054 if(++i < argc) argrest = argv[i]; else
2055 { badarg = TRUE; break; }
2056 }
2057 if (!isdigit(*argrest)) badarg = TRUE;
2058 break;
2059
2060
2061 /* -i: Set flag so dot doesn't end non-SMTP input (same as -oi, seems
2062 not to be documented for sendmail but mailx (at least) uses it) */
2063
2064 case 'i':
2065 if (*argrest == 0) dot_ends = FALSE; else badarg = TRUE;
2066 break;
2067
2068
2069 case 'M':
2070 receiving_message = FALSE;
2071
2072 /* -MC: continue delivery of another message via an existing open
2073 file descriptor. This option is used for an internal call by the
2074 smtp transport when there is a pending message waiting to go to an
2075 address to which it has got a connection. Five subsequent arguments are
2076 required: transport name, host name, IP address, sequence number, and
2077 message_id. Transports may decline to create new processes if the sequence
2078 number gets too big. The channel is stdin. This (-MC) must be the last
2079 argument. There's a subsequent check that the real-uid is privileged.
2080
2081 If we are running in the test harness. delay for a bit, to let the process
2082 that set this one up complete. This makes for repeatability of the logging,
2083 etc. output. */
2084
2085 if (Ustrcmp(argrest, "C") == 0)
2086 {
2087 if (argc != i + 6)
2088 {
2089 fprintf(stderr, "exim: too many or too few arguments after -MC\n");
2090 return EXIT_FAILURE;
2091 }
2092
2093 if (msg_action_arg >= 0)
2094 {
2095 fprintf(stderr, "exim: incompatible arguments\n");
2096 return EXIT_FAILURE;
2097 }
2098
2099 continue_transport = argv[++i];
2100 continue_hostname = argv[++i];
2101 continue_host_address = argv[++i];
2102 continue_sequence = Uatoi(argv[++i]);
2103 msg_action = MSG_DELIVER;
2104 msg_action_arg = ++i;
2105 forced_delivery = TRUE;
2106 queue_run_pid = passed_qr_pid;
2107 queue_run_pipe = passed_qr_pipe;
2108
2109 if (!mac_ismsgid(argv[i]))
2110 {
2111 fprintf(stderr, "exim: malformed message id %s after -MC option\n",
2112 argv[i]);
2113 return EXIT_FAILURE;
2114 }
2115
2116 if (running_in_test_harness) millisleep(500);
2117 break;
2118 }
2119
2120 /* -MCA: set the smtp_authenticated flag; this is useful only when it
2121 precedes -MC (see above). The flag indicates that the host to which
2122 Exim is connected has accepted an AUTH sequence. */
2123
2124 else if (Ustrcmp(argrest, "CA") == 0)
2125 {
2126 smtp_authenticated = TRUE;
2127 break;
2128 }
2129
2130 /* -MCP: set the smtp_use_pipelining flag; this is useful only when
2131 it preceded -MC (see above) */
2132
2133 else if (Ustrcmp(argrest, "CP") == 0)
2134 {
2135 smtp_use_pipelining = TRUE;
2136 break;
2137 }
2138
2139 /* -MCQ: pass on the pid of the queue-running process that started
2140 this chain of deliveries and the fd of its synchronizing pipe; this
2141 is useful only when it precedes -MC (see above) */
2142
2143 else if (Ustrcmp(argrest, "CQ") == 0)
2144 {
2145 if(++i < argc) passed_qr_pid = (pid_t)(Uatol(argv[i]));
2146 else badarg = TRUE;
2147 if(++i < argc) passed_qr_pipe = (int)(Uatol(argv[i]));
2148 else badarg = TRUE;
2149 break;
2150 }
2151
2152 /* -MCS: set the smtp_use_size flag; this is useful only when it
2153 precedes -MC (see above) */
2154
2155 else if (Ustrcmp(argrest, "CS") == 0)
2156 {
2157 smtp_use_size = TRUE;
2158 break;
2159 }
2160
2161 /* -MCT: set the tls_offered flag; this is useful only when it
2162 precedes -MC (see above). The flag indicates that the host to which
2163 Exim is connected has offered TLS support. */
2164
2165 #ifdef SUPPORT_TLS
2166 else if (Ustrcmp(argrest, "CT") == 0)
2167 {
2168 tls_offered = TRUE;
2169 break;
2170 }
2171 #endif
2172
2173 /* -M[x]: various operations on the following list of message ids:
2174 -M deliver the messages, ignoring next retry times and thawing
2175 -Mc deliver the messages, checking next retry times, no thawing
2176 -Mf freeze the messages
2177 -Mg give up on the messages
2178 -Mt thaw the messages
2179 -Mrm remove the messages
2180 In the above cases, this must be the last option. There are also the
2181 following options which are followed by a single message id, and which
2182 act on that message. Some of them use the "recipient" addresses as well.
2183 -Mar add recipient(s)
2184 -Mmad mark all recipients delivered
2185 -Mmd mark recipients(s) delivered
2186 -Mes edit sender
2187 -Mvb show body
2188 -Mvh show header
2189 -Mvl show log
2190 */
2191
2192 else if (*argrest == 0)
2193 {
2194 msg_action = MSG_DELIVER;
2195 forced_delivery = deliver_force_thaw = TRUE;
2196 }
2197 else if (Ustrcmp(argrest, "ar") == 0)
2198 {
2199 msg_action = MSG_ADD_RECIPIENT;
2200 one_msg_action = TRUE;
2201 }
2202 else if (Ustrcmp(argrest, "c") == 0) msg_action = MSG_DELIVER;
2203 else if (Ustrcmp(argrest, "es") == 0)
2204 {
2205 msg_action = MSG_EDIT_SENDER;
2206 one_msg_action = TRUE;
2207 }
2208 else if (Ustrcmp(argrest, "f") == 0) msg_action = MSG_FREEZE;
2209 else if (Ustrcmp(argrest, "g") == 0)
2210 {
2211 msg_action = MSG_DELIVER;
2212 deliver_give_up = TRUE;
2213 }
2214 else if (Ustrcmp(argrest, "mad") == 0)
2215 {
2216 msg_action = MSG_MARK_ALL_DELIVERED;
2217 }
2218 else if (Ustrcmp(argrest, "md") == 0)
2219 {
2220 msg_action = MSG_MARK_DELIVERED;
2221 one_msg_action = TRUE;
2222 }
2223 else if (Ustrcmp(argrest, "rm") == 0) msg_action = MSG_REMOVE;
2224 else if (Ustrcmp(argrest, "t") == 0) msg_action = MSG_THAW;
2225 else if (Ustrcmp(argrest, "vb") == 0)
2226 {
2227 msg_action = MSG_SHOW_BODY;
2228 one_msg_action = TRUE;
2229 }
2230 else if (Ustrcmp(argrest, "vh") == 0)
2231 {
2232 msg_action = MSG_SHOW_HEADER;
2233 one_msg_action = TRUE;
2234 }
2235 else if (Ustrcmp(argrest, "vl") == 0)
2236 {
2237 msg_action = MSG_SHOW_LOG;
2238 one_msg_action = TRUE;
2239 }
2240 else { badarg = TRUE; break; }
2241
2242 /* All the -Mxx options require at least one message id. */
2243
2244 msg_action_arg = i + 1;
2245 if (msg_action_arg >= argc)
2246 {
2247 fprintf(stderr, "exim: no message ids given after %s option\n", arg);
2248 return EXIT_FAILURE;
2249 }
2250
2251 /* Some require only message ids to follow */
2252
2253 if (!one_msg_action)
2254 {
2255 int j;
2256 for (j = msg_action_arg; j < argc; j++) if (!mac_ismsgid(argv[j]))
2257 {
2258 fprintf(stderr, "exim: malformed message id %s after %s option\n",
2259 argv[j], arg);
2260 return EXIT_FAILURE;
2261 }
2262 goto END_ARG; /* Remaining args are ids */
2263 }
2264
2265 /* Others require only one message id, possibly followed by addresses,
2266 which will be handled as normal arguments. */
2267
2268 else
2269 {
2270 if (!mac_ismsgid(argv[msg_action_arg]))
2271 {
2272 fprintf(stderr, "exim: malformed message id %s after %s option\n",
2273 argv[msg_action_arg], arg);
2274 return EXIT_FAILURE;
2275 }
2276 i++;
2277 }
2278 break;
2279
2280
2281 /* Some programs seem to call the -om option without the leading o;
2282 for sendmail it askes for "me too". Exim always does this. */
2283
2284 case 'm':
2285 if (*argrest != 0) badarg = TRUE;
2286 break;
2287
2288
2289 /* -N: don't do delivery - a debugging option that stops transports doing
2290 their thing. It implies debugging at the D_v level. */
2291
2292 case 'N':
2293 if (*argrest == 0)
2294 {
2295 dont_deliver = TRUE;
2296 debug_selector |= D_v;
2297 debug_file = stderr;
2298 }
2299 else badarg = TRUE;
2300 break;
2301
2302
2303 /* -n: This means "don't alias" in sendmail, apparently. Just ignore
2304 it. */
2305
2306 case 'n':
2307 break;
2308
2309 /* -O: Just ignore it. In sendmail, apparently -O option=value means set
2310 option to the specified value. This form uses long names. We need to handle
2311 -O option=value and -Ooption=value. */
2312
2313 case 'O':
2314 if (*argrest == 0)
2315 {
2316 if (++i >= argc)
2317 {
2318 fprintf(stderr, "exim: string expected after -O\n");
2319 exit(EXIT_FAILURE);
2320 }
2321 }
2322 break;
2323
2324 case 'o':
2325
2326 /* -oA: Set an argument for the bi command (sendmail's "alternate alias
2327 file" option). */
2328
2329 if (*argrest == 'A')
2330 {
2331 alias_arg = argrest + 1;
2332 if (alias_arg[0] == 0)
2333 {
2334 if (i+1 < argc) alias_arg = argv[++i]; else
2335 {
2336 fprintf(stderr, "exim: string expected after -oA\n");
2337 exit(EXIT_FAILURE);
2338 }
2339 }
2340 }
2341
2342 /* -oB: Set a connection message max value for remote deliveries */
2343
2344 else if (*argrest == 'B')
2345 {
2346 uschar *p = argrest + 1;
2347 if (p[0] == 0)
2348 {
2349 if (i+1 < argc && isdigit((argv[i+1][0]))) p = argv[++i]; else
2350 {
2351 connection_max_messages = 1;
2352 p = NULL;
2353 }
2354 }
2355
2356 if (p != NULL)
2357 {
2358 if (!isdigit(*p))
2359 {
2360 fprintf(stderr, "exim: number expected after -oB\n");
2361 exit(EXIT_FAILURE);
2362 }
2363 connection_max_messages = Uatoi(p);
2364 }
2365 }
2366
2367 /* -odb: background delivery */
2368
2369 else if (Ustrcmp(argrest, "db") == 0)
2370 {
2371 synchronous_delivery = FALSE;
2372 arg_queue_only = FALSE;
2373 queue_only_set = TRUE;
2374 }
2375
2376 /* -odf: foreground delivery (smail-compatible option); same effect as
2377 -odi: interactive (synchronous) delivery (sendmail-compatible option)
2378 */
2379
2380 else if (Ustrcmp(argrest, "df") == 0 || Ustrcmp(argrest, "di") == 0)
2381 {
2382 synchronous_delivery = TRUE;
2383 arg_queue_only = FALSE;
2384 queue_only_set = TRUE;
2385 }
2386
2387 /* -odq: queue only */
2388
2389 else if (Ustrcmp(argrest, "dq") == 0)
2390 {
2391 synchronous_delivery = FALSE;
2392 arg_queue_only = TRUE;
2393 queue_only_set = TRUE;
2394 }
2395
2396 /* -odqs: queue SMTP only - do local deliveries and remote routing,
2397 but no remote delivery */
2398
2399 else if (Ustrcmp(argrest, "dqs") == 0)
2400 {
2401 queue_smtp = TRUE;
2402 arg_queue_only = FALSE;
2403 queue_only_set = TRUE;
2404 }
2405
2406 /* -oex: Sendmail error flags. As these are also accepted without the
2407 leading -o prefix, for compatibility with vacation and other callers,
2408 they are handled with -e above. */
2409
2410 /* -oi: Set flag so dot doesn't end non-SMTP input (same as -i)
2411 -oitrue: Another sendmail syntax for the same */
2412
2413 else if (Ustrcmp(argrest, "i") == 0 ||
2414 Ustrcmp(argrest, "itrue") == 0)
2415 dot_ends = FALSE;
2416
2417 /* -oM*: Set various characteristics for an incoming message; actually
2418 acted on for trusted callers only. */
2419
2420 else if (*argrest == 'M')
2421 {
2422 if (i+1 >= argc)
2423 {
2424 fprintf(stderr, "exim: data expected after -o%s\n", argrest);
2425 exit(EXIT_FAILURE);
2426 }
2427
2428 /* -oMa: Set sender host address */
2429
2430 if (Ustrcmp(argrest, "Ma") == 0) sender_host_address = argv[++i];
2431
2432 /* -oMaa: Set authenticator name */
2433
2434 else if (Ustrcmp(argrest, "Maa") == 0)
2435 sender_host_authenticated = argv[++i];
2436
2437 /* -oMas: setting authenticated sender */
2438
2439 else if (Ustrcmp(argrest, "Mas") == 0) authenticated_sender = argv[++i];
2440
2441 /* -oMai: setting authenticated id */
2442
2443 else if (Ustrcmp(argrest, "Mai") == 0) authenticated_id = argv[++i];
2444
2445 /* -oMi: Set incoming interface address */
2446
2447 else if (Ustrcmp(argrest, "Mi") == 0) interface_address = argv[++i];
2448
2449 /* -oMr: Received protocol */
2450
2451 else if (Ustrcmp(argrest, "Mr") == 0) received_protocol = argv[++i];
2452
2453 /* -oMs: Set sender host name */
2454
2455 else if (Ustrcmp(argrest, "Ms") == 0) sender_host_name = argv[++i];
2456
2457 /* -oMt: Set sender ident */
2458
2459 else if (Ustrcmp(argrest, "Mt") == 0) sender_ident = argv[++i];
2460
2461 /* Else a bad argument */
2462
2463 else
2464 {
2465 badarg = TRUE;
2466 break;
2467 }
2468 }
2469
2470 /* -om: Me-too flag for aliases. Exim always does this. Some programs
2471 seem to call this as -m (undocumented), so that is also accepted (see
2472 above). */
2473
2474 else if (Ustrcmp(argrest, "m") == 0) {}
2475
2476 /* -oo: An ancient flag for old-style addresses which still seems to
2477 crop up in some calls (see in SCO). */
2478
2479 else if (Ustrcmp(argrest, "o") == 0) {}
2480
2481 /* -oP <name>: set pid file path for daemon */
2482
2483 else if (Ustrcmp(argrest, "P") == 0)
2484 override_pid_file_path = argv[++i];
2485
2486 /* -or <n>: set timeout for non-SMTP acceptance
2487 -os <n>: set timeout for SMTP acceptance */
2488
2489 else if (*argrest == 'r' || *argrest == 's')
2490 {
2491 int *tp = (*argrest == 'r')?
2492 &arg_receive_timeout : &arg_smtp_receive_timeout;
2493 if (argrest[1] == 0)
2494 {
2495 if (i+1 < argc) *tp= readconf_readtime(argv[++i], 0, FALSE);
2496 }
2497 else *tp = readconf_readtime(argrest + 1, 0, FALSE);
2498 if (*tp < 0)
2499 {
2500 fprintf(stderr, "exim: bad time value %s: abandoned\n", argv[i]);
2501 exit(EXIT_FAILURE);
2502 }
2503 }
2504
2505 /* -oX <list>: Override local_interfaces and/or default daemon ports */
2506
2507 else if (Ustrcmp(argrest, "X") == 0)
2508 override_local_interfaces = argv[++i];
2509
2510 /* Unknown -o argument */
2511
2512 else badarg = TRUE;
2513 break;
2514
2515
2516 /* -ps: force Perl startup; -pd force delayed Perl startup */
2517
2518 case 'p':
2519 #ifdef EXIM_PERL
2520 if (*argrest == 's' && argrest[1] == 0)
2521 {
2522 perl_start_option = 1;
2523 break;
2524 }
2525 if (*argrest == 'd' && argrest[1] == 0)
2526 {
2527 perl_start_option = -1;
2528 break;
2529 }
2530 #endif
2531
2532 /* -panythingelse is taken as the Sendmail-compatible argument -prval:sval,
2533 which sets the host protocol and host name */
2534
2535 if (*argrest == 0)
2536 {
2537 if (i+1 < argc) argrest = argv[++i]; else
2538 { badarg = TRUE; break; }
2539 }
2540
2541 if (*argrest != 0)
2542 {
2543 uschar *hn = Ustrchr(argrest, ':');
2544 if (hn == NULL)
2545 {
2546 received_protocol = argrest;
2547 }
2548 else
2549 {
2550 received_protocol = string_copyn(argrest, hn - argrest);
2551 sender_host_name = hn + 1;
2552 }
2553 }
2554 break;
2555
2556
2557 case 'q':
2558 receiving_message = FALSE;
2559
2560 /* -qq...: Do queue runs in a 2-stage manner */
2561
2562 if (*argrest == 'q')
2563 {
2564 queue_2stage = TRUE;
2565 argrest++;
2566 }
2567
2568 /* -qi...: Do only first (initial) deliveries */
2569
2570 if (*argrest == 'i')
2571 {
2572 queue_run_first_delivery = TRUE;
2573 argrest++;
2574 }
2575
2576 /* -qf...: Run the queue, forcing deliveries
2577 -qff..: Ditto, forcing thawing as well */
2578
2579 if (*argrest == 'f')
2580 {
2581 queue_run_force = TRUE;
2582 if (*(++argrest) == 'f')
2583 {
2584 deliver_force_thaw = TRUE;
2585 argrest++;
2586 }
2587 }
2588
2589 /* -q[f][f]l...: Run the queue only on local deliveries */
2590
2591 if (*argrest == 'l')
2592 {
2593 queue_run_local = TRUE;
2594 argrest++;
2595 }
2596
2597 /* -q[f][f][l]: Run the queue, optionally forced, optionally local only,
2598 optionally starting from a given message id. */
2599
2600 if (*argrest == 0 &&
2601 (i + 1 >= argc || argv[i+1][0] == '-' || mac_ismsgid(argv[i+1])))
2602 {
2603 queue_interval = 0;
2604 if (i+1 < argc && mac_ismsgid(argv[i+1]))
2605 start_queue_run_id = argv[++i];
2606 if (i+1 < argc && mac_ismsgid(argv[i+1]))
2607 stop_queue_run_id = argv[++i];
2608 }
2609
2610 /* -q[f][f][l]<n>: Run the queue at regular intervals, optionally forced,
2611 optionally local only. */
2612
2613 else
2614 {
2615 if (*argrest != 0)
2616 queue_interval = readconf_readtime(argrest, 0, FALSE);
2617 else
2618 queue_interval = readconf_readtime(argv[++i], 0, FALSE);
2619 if (queue_interval <= 0)
2620 {
2621 fprintf(stderr, "exim: bad time value %s: abandoned\n", argv[i]);
2622 exit(EXIT_FAILURE);
2623 }
2624 }
2625 break;
2626
2627
2628 case 'R': /* Synonymous with -qR... */
2629 receiving_message = FALSE;
2630
2631 /* -Rf: As -R (below) but force all deliveries,
2632 -Rff: Ditto, but also thaw all frozen messages,
2633 -Rr: String is regex
2634 -Rrf: Regex and force
2635 -Rrff: Regex and force and thaw
2636
2637 in all cases provided there are no further characters in this
2638 argument. */
2639
2640 if (*argrest != 0)
2641 {
2642 int i;
2643 for (i = 0; i < sizeof(rsopts)/sizeof(uschar *); i++)
2644 {
2645 if (Ustrcmp(argrest, rsopts[i]) == 0)
2646 {
2647 if (i != 2) queue_run_force = TRUE;
2648 if (i >= 2) deliver_selectstring_regex = TRUE;
2649 if (i == 1 || i == 4) deliver_force_thaw = TRUE;
2650 argrest += Ustrlen(rsopts[i]);
2651 }
2652 }
2653 }
2654
2655 /* -R: Set string to match in addresses for forced queue run to
2656 pick out particular messages. */
2657
2658 if (*argrest == 0)
2659 {
2660 if (i+1 < argc) deliver_selectstring = argv[++i]; else
2661 {
2662 fprintf(stderr, "exim: string expected after -R\n");
2663 exit(EXIT_FAILURE);
2664 }
2665 }
2666 else deliver_selectstring = argrest;
2667 if (queue_interval < 0) queue_interval = 0;
2668 break;
2669
2670
2671 /* -r: an obsolete synonym for -f (see above) */
2672
2673
2674 /* -S: Like -R but works on sender. */
2675
2676 case 'S': /* Synonymous with -qS... */
2677 receiving_message = FALSE;
2678
2679 /* -Sf: As -S (below) but force all deliveries,
2680 -Sff: Ditto, but also thaw all frozen messages,
2681 -Sr: String is regex
2682 -Srf: Regex and force
2683 -Srff: Regex and force and thaw
2684
2685 in all cases provided there are no further characters in this
2686 argument. */
2687
2688 if (*argrest != 0)
2689 {
2690 int i;
2691 for (i = 0; i < sizeof(rsopts)/sizeof(uschar *); i++)
2692 {
2693 if (Ustrcmp(argrest, rsopts[i]) == 0)
2694 {
2695 if (i != 2) queue_run_force = TRUE;
2696 if (i >= 2) deliver_selectstring_sender_regex = TRUE;
2697 if (i == 1 || i == 4) deliver_force_thaw = TRUE;
2698 argrest += Ustrlen(rsopts[i]);
2699 }
2700 }
2701 }
2702
2703 /* -S: Set string to match in addresses for forced queue run to
2704 pick out particular messages. */
2705
2706 if (*argrest == 0)
2707 {
2708 if (i+1 < argc) deliver_selectstring_sender = argv[++i]; else
2709 {
2710 fprintf(stderr, "exim: string expected after -S\n");
2711 exit(EXIT_FAILURE);
2712 }
2713 }
2714 else deliver_selectstring_sender = argrest;
2715 if (queue_interval < 0) queue_interval = 0;
2716 break;
2717
2718 /* -Tqt is an option that is exclusively for use by the testing suite.
2719 It is not recognized in other circumstances. It allows for the setting up
2720 of explicit "queue times" so that various warning/retry things can be
2721 tested. Otherwise variability of clock ticks etc. cause problems. */
2722
2723 case 'T':
2724 if (running_in_test_harness && Ustrcmp(argrest, "qt") == 0)
2725 fudged_queue_times = argv[++i];
2726 else badarg = TRUE;
2727 break;
2728
2729
2730 /* -t: Set flag to extract recipients from body of message. */
2731
2732 case 't':
2733 if (*argrest == 0) extract_recipients = TRUE;
2734
2735 /* -ti: Set flag to extract recipients from body of message, and also
2736 specify that dot does not end the message. */
2737
2738 else if (Ustrcmp(argrest, "i") == 0)
2739 {
2740 extract_recipients = TRUE;
2741 dot_ends = FALSE;
2742 }
2743
2744 /* -tls-on-connect: don't wait for STARTTLS (for old clients) */
2745
2746 #ifdef SUPPORT_TLS
2747 else if (Ustrcmp(argrest, "ls-on-connect") == 0) tls_on_connect = TRUE;
2748 #endif
2749
2750 else badarg = TRUE;
2751 break;
2752
2753
2754 /* -U: This means "initial user submission" in sendmail, apparently. The
2755 doc claims that in future sendmail may refuse syntactically invalid
2756 messages instead of fixing them. For the moment, we just ignore it. */
2757
2758 case 'U':
2759 break;
2760
2761
2762 /* -v: verify things - this is a very low-level debugging */
2763
2764 case 'v':
2765 if (*argrest == 0)
2766 {
2767 debug_selector |= D_v;
2768 debug_file = stderr;
2769 }
2770 else badarg = TRUE;
2771 break;
2772
2773
2774 /* -x: AIX uses this to indicate some fancy 8-bit character stuff:
2775
2776 The -x flag tells the sendmail command that mail from a local
2777 mail program has National Language Support (NLS) extended characters
2778 in the body of the mail item. The sendmail command can send mail with
2779 extended NLS characters across networks that normally corrupts these
2780 8-bit characters.
2781
2782 As Exim is 8-bit clean, it just ignores this flag. */
2783
2784 case 'x':
2785 if (*argrest != 0) badarg = TRUE;
2786 break;
2787
2788 /* All other initial characters are errors */
2789
2790 default:
2791 badarg = TRUE;
2792 break;
2793 } /* End of high-level switch statement */
2794
2795 /* Failed to recognize the option, or syntax error */
2796
2797 if (badarg)
2798 {
2799 fprintf(stderr, "exim abandoned: unknown, malformed, or incomplete "
2800 "option %s\n", arg);
2801 exit(EXIT_FAILURE);
2802 }
2803 }
2804
2805
2806 /* Arguments have been processed. Check for incompatibilities. */
2807
2808 END_ARG:
2809 if ((
2810 (smtp_input || extract_recipients || recipients_arg < argc) &&
2811 (daemon_listen || queue_interval >= 0 || bi_option ||
2812 test_retry_arg >= 0 || test_rewrite_arg >= 0 ||
2813 filter_test != FTEST_NONE || (msg_action_arg > 0 && !one_msg_action))
2814 ) ||
2815 (
2816 msg_action_arg > 0 &&
2817 (daemon_listen || queue_interval >= 0 || list_options || checking ||
2818 bi_option || test_retry_arg >= 0 || test_rewrite_arg >= 0)
2819 ) ||
2820 (
2821 (daemon_listen || queue_interval >= 0) &&
2822 (sender_address != NULL || list_options || list_queue || checking ||
2823 bi_option)
2824 ) ||
2825 (
2826 daemon_listen && queue_interval == 0
2827 ) ||
2828 (
2829 list_options &&
2830 (checking || smtp_input || extract_recipients ||
2831 filter_test != FTEST_NONE || bi_option)
2832 ) ||
2833 (
2834 verify_address_mode &&
2835 (address_test_mode || smtp_input || extract_recipients ||
2836 filter_test != FTEST_NONE || bi_option)
2837 ) ||
2838 (
2839 address_test_mode && (smtp_input || extract_recipients ||
2840 filter_test != FTEST_NONE || bi_option)
2841 ) ||
2842 (
2843 smtp_input && (sender_address != NULL || filter_test != FTEST_NONE ||
2844 extract_recipients)
2845 ) ||
2846 (
2847 deliver_selectstring != NULL && queue_interval < 0
2848 )
2849 )
2850 {
2851 fprintf(stderr, "exim: incompatible command-line options or arguments\n");
2852 exit(EXIT_FAILURE);
2853 }
2854
2855 /* If debugging is set up, set the file and the file descriptor to pass on to
2856 child processes. It should, of course, be 2 for stderr. Also, force the daemon
2857 to run in the foreground. */
2858
2859 if (debug_selector != 0)
2860 {
2861 debug_file = stderr;
2862 debug_fd = fileno(debug_file);
2863 background_daemon = FALSE;
2864 if (running_in_test_harness) millisleep(100); /* lets caller finish */
2865 if (debug_selector != D_v) /* -v only doesn't show this */
2866 {
2867 debug_printf("Exim version %s uid=%ld gid=%ld pid=%d D=%x\n",
2868 version_string, (long int)real_uid, (long int)real_gid, (int)getpid(),
2869 debug_selector);
2870 show_whats_supported(stderr);
2871 }
2872 }
2873
2874 /* When started with root privilege, ensure that the limits on the number of
2875 open files and the number of processes (where that is accessible) are
2876 sufficiently large, or are unset, in case Exim has been called from an
2877 environment where the limits are screwed down. Not all OS have the ability to
2878 change some of these limits. */
2879
2880 if (unprivileged)
2881 {
2882 DEBUG(D_any) debug_print_ids(US"Exim has no root privilege:");
2883 }
2884 else
2885 {
2886 struct rlimit rlp;
2887
2888 #ifdef RLIMIT_NOFILE
2889 if (getrlimit(RLIMIT_NOFILE, &rlp) < 0)
2890 {
2891 log_write(0, LOG_MAIN|LOG_PANIC, "getrlimit(RLIMIT_NOFILE) failed: %s",
2892 strerror(errno));
2893 rlp.rlim_cur = rlp.rlim_max = 0;
2894 }
2895
2896 /* I originally chose 1000 as a nice big number that was unlikely to
2897 be exceeded. It turns out that some older OS have a fixed upper limit of
2898 256. */
2899
2900 if (rlp.rlim_cur < 1000)
2901 {
2902 rlp.rlim_cur = rlp.rlim_max = 1000;
2903 if (setrlimit(RLIMIT_NOFILE, &rlp) < 0)
2904 {
2905 rlp.rlim_cur = rlp.rlim_max = 256;
2906 if (setrlimit(RLIMIT_NOFILE, &rlp) < 0)
2907 log_write(0, LOG_MAIN|LOG_PANIC, "setrlimit(RLIMIT_NOFILE) failed: %s",
2908 strerror(errno));
2909 }
2910 }
2911 #endif
2912
2913 #ifdef RLIMIT_NPROC
2914 if (getrlimit(RLIMIT_NPROC, &rlp) < 0)
2915 {
2916 log_write(0, LOG_MAIN|LOG_PANIC, "getrlimit(RLIMIT_NPROC) failed: %s",
2917 strerror(errno));
2918 rlp.rlim_cur = rlp.rlim_max = 0;
2919 }
2920
2921 #ifdef RLIM_INFINITY
2922 if (rlp.rlim_cur != RLIM_INFINITY && rlp.rlim_cur < 1000)
2923 {
2924 rlp.rlim_cur = rlp.rlim_max = RLIM_INFINITY;
2925 #else
2926 if (rlp.rlim_cur < 1000)
2927 {
2928 rlp.rlim_cur = rlp.rlim_max = 1000;
2929 #endif
2930 if (setrlimit(RLIMIT_NPROC, &rlp) < 0)
2931 log_write(0, LOG_MAIN|LOG_PANIC, "setrlimit(RLIMIT_NPROC) failed: %s",
2932 strerror(errno));
2933 }
2934 #endif
2935 }
2936
2937 /* Exim is normally entered as root (but some special configurations are
2938 possible that don't do this). However, it always spins off sub-processes that
2939 set their uid and gid as required for local delivery. We don't want to pass on
2940 any extra groups that root may belong to, so we want to get rid of them all at
2941 this point.
2942
2943 We need to obey setgroups() at this stage, before possibly giving up root
2944 privilege for a changed configuration file, but later on we might need to
2945 check on the additional groups for the admin user privilege - can't do that
2946 till after reading the config, which might specify the exim gid. Therefore,
2947 save the group list here first. */
2948
2949 group_count = getgroups(NGROUPS_MAX, group_list);
2950
2951 /* There is a fundamental difference in some BSD systems in the matter of
2952 groups. FreeBSD and BSDI are known to be different; NetBSD and OpenBSD are
2953 known not to be different. On the "different" systems there is a single group
2954 list, and the first entry in it is the current group. On all other versions of
2955 Unix there is a supplementary group list, which is in *addition* to the current
2956 group. Consequently, to get rid of all extraneous groups on a "standard" system
2957 you pass over 0 groups to setgroups(), while on a "different" system you pass
2958 over a single group - the current group, which is always the first group in the
2959 list. Calling setgroups() with zero groups on a "different" system results in
2960 an error return. The following code should cope with both types of system.
2961
2962 However, if this process isn't running as root, setgroups() can't be used
2963 since you have to be root to run it, even if throwing away groups. Not being
2964 root here happens only in some unusual configurations. We just ignore the
2965 error. */
2966
2967 if (setgroups(0, NULL) != 0)
2968 {
2969 if (setgroups(1, group_list) != 0 && !unprivileged)
2970 {
2971 fprintf(stderr, "exim: setgroups() failed: %s\n", strerror(errno));
2972 exit(EXIT_FAILURE);
2973 }
2974 }
2975
2976 /* If the configuration file name has been altered by an argument on the
2977 command line (either a new file name or a macro definition) and the caller is
2978 not root or the exim user, or if this is a filter testing run, remove any
2979 setuid privilege the program has, and run as the underlying user.
2980
2981 If ALT_CONFIG_ROOT_ONLY is defined, the exim user is locked out of this, which
2982 severely restricts the use of -C for some purposes.
2983
2984 Otherwise, set the real ids to the effective values (should be root unless run
2985 from inetd, which it can either be root or the exim uid, if one is configured).
2986
2987 There is a private mechanism for bypassing some of this, in order to make it
2988 possible to test lots of configurations automatically, without having either to
2989 recompile each time, or to patch in an actual configuration file name and other
2990 values (such as the path name). If running in the test harness, pretend that
2991 configuration file changes and macro definitions haven't happened. */
2992
2993 if (( /* EITHER */
2994 (config_changed || macros != NULL) && /* Config changed, and */
2995 real_uid != root_uid && /* Not root, and */
2996 #ifndef ALT_CONFIG_ROOT_ONLY /* (when not locked out) */
2997 real_uid != exim_uid && /* Not exim, and */
2998 #endif
2999 !running_in_test_harness /* Not fudged */
3000 ) || /* OR */
3001 expansion_test /* expansion testing */
3002 || /* OR */
3003 filter_test != FTEST_NONE) /* Filter testing */
3004 {
3005 setgroups(group_count, group_list);
3006 exim_setugid(real_uid, real_gid, FALSE,
3007 US"-C, -D, -be or -bf forces real uid");
3008 removed_privilege = TRUE;
3009
3010 /* In the normal case when Exim is called like this, stderr is available
3011 and should be used for any logging information because attempts to write
3012 to the log will usually fail. To arrange this, we unset really_exim. However,
3013 if no stderr is available there is no point - we might as well have a go
3014 at the log (if it fails, syslog will be written). */
3015
3016 if (log_stderr != NULL) really_exim = FALSE;
3017 }
3018
3019 /* Privilege is to be retained for the moment. It may be dropped later,
3020 depending on the job that this Exim process has been asked to do. For now, set
3021 the real uid to the effective so that subsequent re-execs of Exim are done by a
3022 privileged user. */
3023
3024 else exim_setugid(geteuid(), getegid(), FALSE, US"forcing real = effective");
3025
3026 /* If testing a filter, open the file(s) now, before wasting time doing other
3027 setups and reading the message. */
3028
3029 if ((filter_test & FTEST_SYSTEM) != 0)
3030 {
3031 filter_sfd = Uopen(filter_test_sfile, O_RDONLY, 0);
3032 if (filter_sfd < 0)
3033 {
3034 fprintf(stderr, "exim: failed to open %s: %s\n", filter_test_sfile,
3035 strerror(errno));
3036 return EXIT_FAILURE;
3037 }
3038 }
3039
3040 if ((filter_test & FTEST_USER) != 0)
3041 {
3042 filter_ufd = Uopen(filter_test_ufile, O_RDONLY, 0);
3043 if (filter_ufd < 0)
3044 {
3045 fprintf(stderr, "exim: failed to open %s: %s\n", filter_test_ufile,
3046 strerror(errno));
3047 return EXIT_FAILURE;
3048 }
3049 }
3050
3051 /* Read the main runtime configuration data; this gives up if there
3052 is a failure. It leaves the configuration file open so that the subsequent
3053 configuration data for delivery can be read if needed. */
3054
3055 readconf_main();
3056
3057 /* Handle the decoding of logging options. */
3058
3059 decode_bits(&log_write_selector, &log_extra_selector, 0, 0, log_selector_string,
3060 log_options, log_options_count, US"log");
3061
3062 DEBUG(D_any)
3063 {
3064 debug_printf("configuration file is %s\n", config_main_filename);
3065 debug_printf("log selectors = %08x %08x\n", log_write_selector,
3066 log_extra_selector);
3067 }
3068
3069 /* If domain literals are not allowed, check the sender address that was
3070 supplied with -f. Ditto for a stripped trailing dot. */
3071
3072 if (sender_address != NULL)
3073 {
3074 if (sender_address[sender_address_domain] == '[' && !allow_domain_literals)
3075 {
3076 fprintf(stderr, "exim: bad -f address \"%s\": domain literals not "
3077 "allowed\n", sender_address);
3078 return EXIT_FAILURE;
3079 }
3080 if (f_end_dot && !strip_trailing_dot)
3081 {
3082 fprintf(stderr, "exim: bad -f address \"%s.\": domain is malformed "
3083 "(trailing dot not allowed)\n", sender_address);
3084 return EXIT_FAILURE;
3085 }
3086 }
3087
3088 /* Paranoia check of maximum lengths of certain strings. There is a check
3089 on the length of the log file path in log.c, which will come into effect
3090 if there are any calls to write the log earlier than this. However, if we
3091 get this far but the string is very long, it is better to stop now than to
3092 carry on and (e.g.) receive a message and then have to collapse. The call to
3093 log_write() from here will cause the ultimate panic collapse if the complete
3094 file name exceeds the buffer length. */
3095
3096 if (Ustrlen(log_file_path) > 200)
3097 log_write(0, LOG_MAIN|LOG_PANIC_DIE,
3098 "log_file_path is longer than 200 chars: aborting");
3099
3100 if (Ustrlen(pid_file_path) > 200)
3101 log_write(0, LOG_MAIN|LOG_PANIC_DIE,
3102 "pid_file_path is longer than 200 chars: aborting");
3103
3104 if (Ustrlen(spool_directory) > 200)
3105 log_write(0, LOG_MAIN|LOG_PANIC_DIE,
3106 "spool_directory is longer than 200 chars: aborting");
3107
3108 /* Length check on the process name given to syslog for its TAG field,
3109 which is only permitted to be 32 characters or less. See RFC 3164. */
3110
3111 if (Ustrlen(syslog_processname) > 32)
3112 log_write(0, LOG_MAIN|LOG_PANIC_DIE,
3113 "syslog_processname is longer than 32 chars: aborting");
3114
3115 /* In some operating systems, the environment variable TMPDIR controls where
3116 temporary files are created; Exim doesn't use these (apart from when delivering
3117 to MBX mailboxes), but called libraries such as DBM libraries may require them.
3118 If TMPDIR is found in the environment, reset it to the value defined in the
3119 TMPDIR macro, if this macro is defined. */
3120
3121 #ifdef TMPDIR
3122 {
3123 uschar **p;
3124 for (p = USS environ; *p != NULL; p++)
3125 {
3126 if (Ustrncmp(*p, "TMPDIR=", 7) == 0 &&
3127 Ustrcmp(*p+7, TMPDIR) != 0)
3128 {
3129 uschar *newp = malloc(Ustrlen(TMPDIR) + 8);
3130 sprintf(CS newp, "TMPDIR=%s", TMPDIR);
3131 *p = newp;
3132 DEBUG(D_any) debug_printf("reset TMPDIR=%s in environment\n", TMPDIR);
3133 }
3134 }
3135 }
3136 #endif
3137
3138 /* Timezone handling. If timezone_string is "utc", set a flag to cause all
3139 timestamps to be in UTC (gmtime() is used instead of localtime()). Otherwise,
3140 we may need to get rid of a bogus timezone setting. This can arise when Exim is
3141 called by a user who has set the TZ variable. This then affects the timestamps
3142 in log files and in Received: headers, and any created Date: header lines. The
3143 required timezone is settable in the configuration file, so nothing can be done
3144 about this earlier - but hopefully nothing will normally be logged earlier than
3145 this. We have to make a new environment if TZ is wrong, but don't bother if
3146 timestamps_utc is set, because then all times are in UTC anyway. */
3147
3148 if (timezone_string != NULL && strcmpic(timezone_string, US"UTC") == 0)
3149 {
3150 timestamps_utc = TRUE;
3151 }
3152 else
3153 {
3154 uschar *envtz = US getenv("TZ");
3155 if ((envtz == NULL && timezone_string != NULL) ||
3156 (envtz != NULL &&
3157 (timezone_string == NULL ||
3158 Ustrcmp(timezone_string, envtz) != 0)))
3159 {
3160 uschar **p = USS environ;
3161 uschar **new;
3162 uschar **newp;
3163 int count = 0;
3164 while (*p++ != NULL) count++;
3165 if (envtz == NULL) count++;
3166 newp = new = malloc(sizeof(uschar *) * (count + 1));
3167 for (p = USS environ; *p != NULL; p++)
3168 {
3169 if (Ustrncmp(*p, "TZ=", 3) == 0) continue;
3170 *newp++ = *p;
3171 }
3172 if (timezone_string != NULL)
3173 {
3174 *newp = malloc(Ustrlen(timezone_string) + 4);
3175 sprintf(CS *newp++, "TZ=%s", timezone_string);
3176 }
3177 *newp = NULL;
3178 environ = CSS new;
3179 tzset();
3180 DEBUG(D_any) debug_printf("Reset TZ to %s: time is %s\n", timezone_string,
3181 tod_stamp(tod_log));
3182 }
3183 }
3184
3185 /* Handle the case when we have removed the setuid privilege because of -C or
3186 -D. This means that the caller of Exim was not root, and, provided that
3187 ALT_CONFIG_ROOT_ONLY is not defined, was not the Exim user that is built into
3188 the binary.
3189
3190 If ALT_CONFIG_ROOT_ONLY is not defined, there is a problem if it turns out we
3191 were running as the exim user defined in the configuration file (different to
3192 the one in the binary). The sysadmin may expect this case to retain privilege
3193 because "the binary was called by the Exim user", but it hasn't, because of the
3194 order in which it handles this stuff. There are two possibilities:
3195
3196 (1) If deliver_drop_privilege is set, Exim is not going to re-exec in order
3197 to do message deliveries. Thus, the fact that it is running as a
3198 non-privileged user is plausible, and might be wanted in some special
3199 configurations. However, really_exim will have been set false when
3200 privilege was dropped, to stop Exim trying to write to its normal log
3201 files. Therefore, re-enable normal log processing, assuming the sysadmin
3202 has set up the log directory correctly.
3203
3204 (2) If deliver_drop_privilege is not set, the configuration won't work as
3205 apparently intended, and so we log a panic message. In order to retain
3206 root for -C or -D, the caller must either be root or the Exim user
3207 defined in the binary (when deliver_drop_ privilege is false).
3208
3209 If ALT_CONFIG_ROOT_ONLY is defined, we don't know whether we were called by the
3210 built-in exim user or one defined in the configuration. In either event,
3211 re-enable log processing, assuming the sysadmin knows what they are doing. */
3212
3213 if (removed_privilege && (config_changed || macros != NULL) &&
3214 real_uid == exim_uid)
3215 {
3216 #ifdef ALT_CONFIG_ROOT_ONLY
3217 really_exim = TRUE; /* let logging work normally */
3218 #else
3219
3220 if (deliver_drop_privilege)
3221 really_exim = TRUE; /* let logging work normally */
3222 else
3223 log_write(0, LOG_MAIN|LOG_PANIC,
3224 "exim user (uid=%d) is defined only at runtime; privilege lost for %s",
3225 (int)exim_uid, config_changed? "-C" : "-D");
3226 #endif
3227 }
3228
3229 /* Start up Perl interpreter if Perl support is configured and there is a
3230 perl_startup option, and the configuration or the command line specifies
3231 initializing starting. Note that the global variables are actually called
3232 opt_perl_xxx to avoid clashing with perl's namespace (perl_*). */
3233
3234 #ifdef EXIM_PERL
3235 if (perl_start_option != 0)
3236 opt_perl_at_start = (perl_start_option > 0);
3237 if (opt_perl_at_start && opt_perl_startup != NULL)
3238 {
3239 uschar *errstr;
3240 DEBUG(D_any) debug_printf("Starting Perl interpreter\n");
3241 errstr = init_perl(opt_perl_startup);
3242 if (errstr != NULL)
3243 {
3244 fprintf(stderr, "exim: error in perl_startup code: %s\n", errstr);
3245 return EXIT_FAILURE;
3246 }
3247 opt_perl_started = TRUE;
3248 }
3249 #endif /* EXIM_PERL */
3250
3251 /* Log the arguments of the call if the configuration file said so. This is
3252 a debugging feature for finding out what arguments certain MUAs actually use.
3253 Don't attempt it if logging is disabled, or if listing variables or if
3254 verifying/testing addresses or expansions. */
3255
3256 if (((debug_selector & D_any) != 0 || (log_extra_selector & LX_arguments) != 0)
3257 && really_exim && !list_options && !checking)
3258 {
3259 int i;
3260 uschar *p = big_buffer;
3261 Ustrcpy(p, "cwd=");
3262 (void)getcwd(CS p+4, big_buffer_size - 4);
3263 while (*p) p++;
3264 (void)string_format(p, big_buffer_size - (p - big_buffer), " %d args:", argc);
3265 while (*p) p++;
3266 for (i = 0; i < argc; i++)
3267 {
3268 int len = Ustrlen(argv[i]);
3269 uschar *printing;
3270 uschar *quote;
3271 if (p + len + 8 >= big_buffer + big_buffer_size)
3272 {
3273 Ustrcpy(p, " ...");
3274 log_write(0, LOG_MAIN, "%s", big_buffer);
3275 Ustrcpy(big_buffer, "...");
3276 p = big_buffer + 3;
3277 }
3278 printing = string_printing(argv[i]);
3279 if (printing[0] == 0) quote = US"\""; else
3280 {
3281 uschar *pp = printing;
3282 quote = US"";
3283 while (*pp != 0) if (isspace(*pp++)) { quote = US"\""; break; }
3284 }
3285 sprintf(CS p, " %s%.*s%s", quote, (int)(big_buffer_size -
3286 (p - big_buffer) - 4), printing, quote);
3287 while (*p) p++;
3288 }
3289
3290 if ((log_extra_selector & LX_arguments) != 0)
3291 log_write(0, LOG_MAIN, "%s", big_buffer);
3292 else
3293 debug_printf("%s\n", big_buffer);
3294 }
3295
3296 /* Set the working directory to be the top-level spool directory. We don't rely
3297 on this in the code, which always uses fully qualified names, but it's useful
3298 for core dumps etc. Don't complain if it fails - the spool directory might not
3299 be generally accessible and calls with the -C option (and others) have lost
3300 privilege by now. */
3301
3302 if (Uchdir(spool_directory) != 0)
3303 {
3304 (void)directory_make(spool_directory, US"", SPOOL_DIRECTORY_MODE, TRUE);
3305 (void)Uchdir(spool_directory);
3306 }
3307
3308 /* Handle calls with the -bi option. This is a sendmail option to rebuild *the*
3309 alias file. Exim doesn't have such a concept, but this call is screwed into
3310 Sun's YP makefiles. Handle this by calling a configured script, as the real
3311 user who called Exim. The -oA option can be used to pass an argument to the
3312 script. */
3313
3314 if (bi_option)
3315 {
3316 (void)fclose(config_file);
3317 if (bi_command != NULL)
3318 {
3319 int i = 0;
3320 uschar *argv[3];
3321 argv[i++] = bi_command;
3322 if (alias_arg != NULL) argv[i++] = alias_arg;
3323 argv[i++] = NULL;
3324
3325 setgroups(group_count, group_list);
3326 exim_setugid(real_uid, real_gid, FALSE, US"running bi_command");
3327
3328 DEBUG(D_exec) debug_printf("exec %.256s %.256s\n", argv[0],
3329 (argv[1] == NULL)? US"" : argv[1]);
3330
3331 execv(CS argv[0], (char *const *)argv);
3332 fprintf(stderr, "exim: exec failed: %s\n", strerror(errno));
3333 exit(EXIT_FAILURE);
3334 }
3335 else
3336 {
3337 DEBUG(D_any) debug_printf("-bi used but bi_command not set; exiting\n");
3338 exit(EXIT_SUCCESS);
3339 }
3340 }
3341
3342 /* If an action on specific messages is requested, or if a daemon or queue
3343 runner is being started, we need to know if Exim was called by an admin user.
3344 This is the case if the real user is root or exim, or if the real group is
3345 exim, or if one of the supplementary groups is exim or a group listed in
3346 admin_groups. We don't fail all message actions immediately if not admin_user,
3347 since some actions can be performed by non-admin users. Instead, set admin_user
3348 for later interrogation. */
3349
3350 if (real_uid == root_uid || real_uid == exim_uid || real_gid == exim_gid)
3351 admin_user = TRUE;
3352 else
3353 {
3354 int i, j;
3355
3356 for (i = 0; i < group_count; i++)
3357 {
3358 if (group_list[i] == exim_gid) admin_user = TRUE;
3359 else if (admin_groups != NULL)
3360 {
3361 for (j = 1; j <= (int)(admin_groups[0]); j++)
3362 if (admin_groups[j] == group_list[i])
3363 { admin_user = TRUE; break; }
3364 }
3365 if (admin_user) break;
3366 }
3367 }
3368
3369 /* Another group of privileged users are the trusted users. These are root,
3370 exim, and any caller matching trusted_users or trusted_groups. Trusted callers
3371 are permitted to specify sender_addresses with -f on the command line, and
3372 other message parameters as well. */
3373
3374 if (real_uid == root_uid || real_uid == exim_uid)
3375 trusted_caller = TRUE;
3376 else
3377 {
3378 int i, j;
3379
3380 if (trusted_users != NULL)
3381 {
3382 for (i = 1; i <= (int)(trusted_users[0]); i++)
3383 if (trusted_users[i] == real_uid)
3384 { trusted_caller = TRUE; break; }
3385 }
3386
3387 if (!trusted_caller && trusted_groups != NULL)
3388 {
3389 for (i = 1; i <= (int)(trusted_groups[0]); i++)
3390 {
3391 if (trusted_groups[i] == real_gid)
3392 trusted_caller = TRUE;
3393 else for (j = 0; j < group_count; j++)
3394 {
3395 if (trusted_groups[i] == group_list[j])
3396 { trusted_caller = TRUE; break; }
3397 }
3398 if (trusted_caller) break;
3399 }
3400 }
3401 }
3402
3403 if (trusted_caller) DEBUG(D_any) debug_printf("trusted user\n");
3404 if (admin_user) DEBUG(D_any) debug_printf("admin user\n");
3405
3406 /* Only an admin user may start the daemon or force a queue run in the default
3407 configuration, but the queue run restriction can be relaxed. Only an admin
3408 user may request that a message be returned to its sender forthwith. Only an
3409 admin user may specify a debug level greater than D_v (because it might show
3410 passwords, etc. in lookup queries). Only an admin user may request a queue
3411 count. */
3412
3413 if (!admin_user)
3414 {
3415 BOOL debugset = (debug_selector & ~D_v) != 0;
3416 if (deliver_give_up || daemon_listen ||
3417 (count_queue && queue_list_requires_admin) ||
3418 (list_queue && queue_list_requires_admin) ||
3419 (queue_interval >= 0 && prod_requires_admin) ||
3420 (debugset && !running_in_test_harness))
3421 {
3422 fprintf(stderr, "exim:%s permission denied\n", debugset? " debugging" : "");
3423 exit(EXIT_FAILURE);
3424 }
3425 }
3426
3427 /* If the real user is not root or the exim uid, the argument for passing
3428 in an open TCP/IP connection for another message is not permitted, nor is
3429 running with the -N option for any delivery action, unless this call to exim is
3430 one that supplied an input message, or we are using a patched exim for
3431 regression testing. */
3432
3433 if (real_uid != root_uid && real_uid != exim_uid &&
3434 (continue_hostname != NULL ||
3435 (dont_deliver &&
3436 (queue_interval >= 0 || daemon_listen || msg_action_arg > 0)
3437 )) && !running_in_test_harness)
3438 {
3439 fprintf(stderr, "exim: Permission denied\n");
3440 return EXIT_FAILURE;
3441 }
3442
3443 /* If the caller is not trusted, certain arguments are ignored when running for
3444 real, but are permitted when checking things (-be, -bv, -bt, -bh, -bf, -bF).
3445 Note that authority for performing certain actions on messages is tested in the
3446 queue_action() function. */
3447
3448 if (!trusted_caller && !checking && filter_test == FTEST_NONE)
3449 {
3450 sender_host_name = sender_host_address = interface_address =
3451 sender_ident = received_protocol = NULL;
3452 sender_host_port = interface_port = 0;
3453 sender_host_authenticated = authenticated_sender = authenticated_id = NULL;
3454 }
3455
3456 /* If a sender host address is set, extract the optional port number off the
3457 end of it and check its syntax. Do the same thing for the interface address.
3458 Exim exits if the syntax is bad. */
3459
3460 else
3461 {
3462 if (sender_host_address != NULL)
3463 sender_host_port = check_port(sender_host_address);
3464 if (interface_address != NULL)
3465 interface_port = check_port(interface_address);
3466 }
3467
3468 /* If an SMTP message is being received check to see if the standard input is a
3469 TCP/IP socket. If it is, we assume that Exim was called from inetd if the
3470 caller is root or the Exim user, or if the port is a privileged one. Otherwise,
3471 barf. */
3472
3473 if (smtp_input)
3474 {
3475 union sockaddr_46 inetd_sock;
3476 EXIM_SOCKLEN_T size = sizeof(inetd_sock);
3477 if (getpeername(0, (struct sockaddr *)(&inetd_sock), &size) == 0)
3478 {
3479 int family = ((struct sockaddr *)(&inetd_sock))->sa_family;
3480 if (family == AF_INET || family == AF_INET6)
3481 {
3482 union sockaddr_46 interface_sock;
3483 size = sizeof(interface_sock);
3484
3485 if (getsockname(0, (struct sockaddr *)(&interface_sock), &size) == 0)
3486 interface_address = host_ntoa(-1, &interface_sock, NULL,
3487 &interface_port);
3488
3489 if (host_is_tls_on_connect_port(interface_port)) tls_on_connect = TRUE;
3490
3491 if (real_uid == root_uid || real_uid == exim_uid || interface_port < 1024)
3492 {
3493 is_inetd = TRUE;
3494 sender_host_address = host_ntoa(-1, (struct sockaddr *)(&inetd_sock),
3495 NULL, &sender_host_port);
3496 if (mua_wrapper) log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Input from "
3497 "inetd is not supported when mua_wrapper is set");
3498 }
3499 else
3500 {
3501 fprintf(stderr,
3502 "exim: Permission denied (unprivileged user, unprivileged port)\n");
3503 return EXIT_FAILURE;
3504 }
3505 }
3506 }
3507 }
3508
3509 /* If the load average is going to be needed while receiving a message, get it
3510 now for those OS that require the first call to os_getloadavg() to be done as
3511 root. There will be further calls later for each message received. */
3512
3513 #ifdef LOAD_AVG_NEEDS_ROOT
3514 if (receiving_message &&
3515 (queue_only_load >= 0 ||
3516 (is_inetd && smtp_load_reserve >= 0)
3517 ))
3518 {
3519 load_average = os_getloadavg();
3520 }
3521 #endif
3522
3523 /* The queue_only configuration option can be overridden by -odx on the command
3524 line, except that if queue_only_override is false, queue_only cannot be unset
3525 from the command line. */
3526
3527 if (queue_only_set && (queue_only_override || arg_queue_only))
3528 queue_only = arg_queue_only;
3529
3530 /* The receive_timeout and smtp_receive_timeout options can be overridden by
3531 -or and -os. */
3532
3533 if (arg_receive_timeout >= 0) receive_timeout = arg_receive_timeout;
3534 if (arg_smtp_receive_timeout >= 0)
3535 smtp_receive_timeout = arg_smtp_receive_timeout;
3536
3537 /* If Exim was started with root privilege, unless we have already removed the
3538 root privilege above as a result of -C, -D, -be, -bf or -bF, remove it now
3539 except when starting the daemon or doing some kind of delivery or address
3540 testing (-bt). These are the only cases when root need to be retained. We run
3541 as exim for -bv and -bh. However, if deliver_drop_privilege is set, root is
3542 retained only for starting the daemon. */
3543
3544 if (!unprivileged && /* originally had root AND */
3545 !removed_privilege && /* still got root AND */
3546 !daemon_listen && /* not starting the daemon */
3547 queue_interval <= 0 && /* (either kind of daemon) */
3548 ( /* AND EITHER */
3549 deliver_drop_privilege || /* requested unprivileged */
3550 ( /* OR */
3551 queue_interval < 0 && /* not running the queue */
3552 (msg_action_arg < 0 || /* and */
3553 msg_action != MSG_DELIVER) && /* not delivering and */
3554 (!checking || !address_test_mode) /* not address checking */
3555 )
3556 ))
3557 {
3558 exim_setugid(exim_uid, exim_gid, FALSE, US"privilege not needed");
3559 }
3560
3561 /* When we are retaining a privileged uid, we still change to the exim gid. */
3562
3563 else setgid(exim_gid);
3564
3565 /* Handle a request to list the delivery queue */
3566
3567 if (list_queue)
3568 {
3569 set_process_info("listing the queue");
3570 queue_list(list_queue_option, argv + recipients_arg, argc - recipients_arg);
3571 exit(EXIT_SUCCESS);
3572 }
3573
3574 /* Handle a request to count the delivery queue */
3575
3576 if (count_queue)
3577 {
3578 set_process_info("counting the queue");
3579 queue_count();
3580 exit(EXIT_SUCCESS);
3581 }
3582
3583 /* Handle actions on specific messages, except for the force delivery action,
3584 which is done below. Some actions take a whole list of message ids, which
3585 are known to continue up to the end of the arguments. Others take a single
3586 message id and then operate on the recipients list. */
3587
3588 if (msg_action_arg > 0 && msg_action != MSG_DELIVER)
3589 {
3590 int yield = EXIT_SUCCESS;
3591 set_process_info("acting on specified messages");
3592
3593 if (!one_msg_action)
3594 {
3595 for (i = msg_action_arg; i < argc; i++)
3596 if (!queue_action(argv[i], msg_action, NULL, 0, 0))
3597 yield = EXIT_FAILURE;
3598 }
3599
3600 else if (!queue_action(argv[msg_action_arg], msg_action, argv, argc,
3601 recipients_arg)) yield = EXIT_FAILURE;
3602 exit(yield);
3603 }
3604
3605 /* All the modes below here require the remaining configuration sections
3606 to be read, except that we can skip over the ACL setting when delivering
3607 specific messages, or doing a queue run. (For various testing cases we could
3608 skip too, but as they are rare, it doesn't really matter.) The argument is TRUE
3609 for skipping. */
3610
3611 readconf_rest(msg_action_arg > 0 || (queue_interval == 0 && !daemon_listen));
3612
3613 /* The configuration data will have been read into POOL_PERM because we won't
3614 ever want to reset back past it. Change the current pool to POOL_MAIN. In fact,
3615 this is just a bit of pedantic tidiness. It wouldn't really matter if the
3616 configuration were read into POOL_MAIN, because we don't do any resets till
3617 later on. However, it seems right, and it does ensure that both pools get used.
3618 */
3619
3620 store_pool = POOL_MAIN;
3621
3622 /* Handle the -brt option. This is for checking out retry configurations.
3623 The next three arguments are a domain name or a complete address, and
3624 optionally two error numbers. All it does is to call the function that
3625 scans the retry configuration data. */
3626
3627 if (test_retry_arg >= 0)
3628 {
3629 retry_config *yield;
3630 int basic_errno = 0;
3631 int more_errno = 0;
3632 uschar *s1, *s2;
3633
3634 if (test_retry_arg >= argc)
3635 {
3636 printf("-brt needs a domain or address argument\n");
3637 exim_exit(EXIT_FAILURE);
3638 }
3639 s1 = argv[test_retry_arg++];
3640 s2 = NULL;
3641
3642 /* If the first argument contains no @ and no . it might be a local user
3643 or it might be a single-component name. Treat as a domain. */
3644
3645 if (Ustrchr(s1, '@') == NULL && Ustrchr(s1, '.') == NULL)
3646 {
3647 printf("Warning: \"%s\" contains no '@' and no '.' characters. It is "
3648 "being \ntreated as a one-component domain, not as a local part.\n\n",
3649 s1);
3650 }
3651
3652 /* There may be an optional second domain arg. */
3653
3654 if (test_retry_arg < argc && Ustrchr(argv[test_retry_arg], '.') != NULL)
3655 s2 = argv[test_retry_arg++];
3656
3657 /* The final arg is an error name */
3658
3659 if (test_retry_arg < argc)
3660 {
3661 uschar *ss = argv[test_retry_arg];
3662 uschar *error =
3663 readconf_retry_error(ss, ss + Ustrlen(ss), &basic_errno, &more_errno);
3664 if (error != NULL)
3665 {
3666 printf("%s\n", CS error);
3667 return EXIT_FAILURE;
3668 }
3669
3670 /* For the rcpt_4xx errors, a value of 255 means "any", and a code > 100 as
3671 an error is for matching codes to the decade. Turn them into a real error
3672 code, off the decade. */
3673
3674 if (basic_errno == ERRNO_RCPT4XX)
3675 {
3676 int code = (more_errno >> 8) & 255;
3677 if (code == 255)
3678 more_errno = (more_errno & 0xffff00ff) | (21 << 8);
3679 else if (code > 100)
3680 more_errno = (more_errno & 0xffff00ff) | ((code - 96) << 8);
3681 }
3682 }
3683
3684 yield = retry_find_config(s1, s2, basic_errno, more_errno);
3685 if (yield == NULL) printf("No retry information found\n"); else
3686 {
3687 retry_rule *r;
3688 more_errno = yield->more_errno;
3689 printf("Retry rule: %s ", yield->pattern);
3690
3691 if (yield->basic_errno == ERRNO_EXIMQUOTA)
3692 {
3693 printf("quota%s%s ",
3694 (more_errno > 0)? "_" : "",
3695 (more_errno > 0)? readconf_printtime(more_errno) : US"");
3696 }
3697 else if (yield->basic_errno == ECONNREFUSED)
3698 {
3699 printf("refused%s%s ",
3700 (more_errno > 0)? "_" : "",
3701 (more_errno == 'M')? "MX" :
3702 (more_errno == 'A')? "A" : "");
3703 }
3704 else if (yield->basic_errno == ETIMEDOUT)
3705 {
3706 printf("timeout");
3707 if ((more_errno & RTEF_CTOUT) != 0) printf("_connect");
3708 more_errno &= 255;
3709 if (more_errno != 0) printf("_%s",
3710 (more_errno == 'M')? "MX" : "A");
3711 printf(" ");
3712 }
3713 else if (yield->basic_errno == ERRNO_AUTHFAIL)
3714 printf("auth_failed ");
3715 else printf("* ");
3716
3717 for (r = yield->rules; r != NULL; r = r->next)
3718 {
3719 printf("%c,%s", r->rule, readconf_printtime(r->timeout)); /* Do not */
3720 printf(",%s", readconf_printtime(r->p1)); /* amalgamate */
3721 if (r->rule == 'G')
3722 {
3723 int x = r->p2;
3724 int f = x % 1000;
3725 int d = 100;
3726 printf(",%d.", x/1000);
3727 do
3728 {
3729 printf("%d", f/d);
3730 f %= d;
3731 d /= 10;
3732 }
3733 while (f != 0);
3734 }
3735 printf("; ");
3736 }
3737
3738 printf("\n");
3739 }
3740 exim_exit(EXIT_SUCCESS);
3741 }
3742
3743 /* Handle a request to list one or more configuration options */
3744
3745 if (list_options)
3746 {
3747 set_process_info("listing variables");
3748 if (recipients_arg >= argc) readconf_print(US"all", NULL);
3749 else for (i = recipients_arg; i < argc; i++)
3750 {
3751 if (i < argc - 1 &&
3752 (Ustrcmp(argv[i], "router") == 0 ||
3753 Ustrcmp(argv[i], "transport") == 0 ||
3754 Ustrcmp(argv[i], "authenticator") == 0))
3755 {
3756 readconf_print(argv[i+1], argv[i]);
3757 i++;
3758 }
3759 else readconf_print(argv[i], NULL);
3760 }
3761 exim_exit(EXIT_SUCCESS);
3762 }
3763
3764
3765 /* Handle a request to deliver one or more messages that are already on the
3766 queue. Values of msg_action other than MSG_DELIVER are dealt with above. This
3767 is typically used for a small number when prodding by hand (when the option
3768 forced_delivery will be set) or when re-execing to regain root privilege.
3769 Each message delivery must happen in a separate process, so we fork a process
3770 for each one, and run them sequentially so that debugging output doesn't get
3771 intertwined, and to avoid spawning too many processes if a long list is given.
3772 However, don't fork for the last one; this saves a process in the common case
3773 when Exim is called to deliver just one message. */
3774
3775 if (msg_action_arg > 0)
3776 {
3777 if (prod_requires_admin && !admin_user)
3778 {
3779 fprintf(stderr, "exim: Permission denied\n");
3780 exim_exit(EXIT_FAILURE);
3781 }
3782 set_process_info("delivering specified messages");
3783 if (deliver_give_up) forced_delivery = deliver_force_thaw = TRUE;
3784 for (i = msg_action_arg; i < argc; i++)
3785 {
3786 int status;
3787 pid_t pid;
3788 if (i == argc - 1)
3789 (void)deliver_message(argv[i], forced_delivery, deliver_give_up);
3790 else if ((pid = fork()) == 0)
3791 {
3792 (void)deliver_message(argv[i], forced_delivery, deliver_give_up);
3793 _exit(EXIT_SUCCESS);
3794 }
3795 else if (pid < 0)
3796 {
3797 fprintf(stderr, "failed to fork delivery process for %s: %s\n", argv[i],
3798 strerror(errno));
3799 exim_exit(EXIT_FAILURE);
3800 }
3801 else wait(&status);
3802 }
3803 exim_exit(EXIT_SUCCESS);
3804 }
3805
3806
3807 /* If only a single queue run is requested, without SMTP listening, we can just
3808 turn into a queue runner, with an optional starting message id. */
3809
3810 if (queue_interval == 0 && !daemon_listen)
3811 {
3812 DEBUG(D_queue_run) debug_printf("Single queue run%s%s%s%s\n",
3813 (start_queue_run_id == NULL)? US"" : US" starting at ",
3814 (start_queue_run_id == NULL)? US"" : start_queue_run_id,
3815 (stop_queue_run_id == NULL)? US"" : US" stopping at ",
3816 (stop_queue_run_id == NULL)? US"" : stop_queue_run_id);
3817 set_process_info("running the queue (single queue run)");
3818 queue_run(start_queue_run_id, stop_queue_run_id, FALSE);
3819 exim_exit(EXIT_SUCCESS);
3820 }
3821
3822
3823 /* Find the login name of the real user running this process. This is always
3824 needed when receiving a message, because it is written into the spool file. It
3825 may also be used to construct a from: or a sender: header, and in this case we
3826 need the user's full name as well, so save a copy of it, checked for RFC822
3827 syntax and munged if necessary, if it hasn't previously been set by the -F
3828 argument. We may try to get the passwd entry more than once, in case NIS or
3829 other delays are in evidence. Save the home directory for use in filter testing
3830 (only). */
3831
3832 for (i = 0;;)
3833 {
3834 if ((pw = getpwuid(real_uid)) != NULL)
3835 {
3836 originator_login = string_copy(US pw->pw_name);
3837 originator_home = string_copy(US pw->pw_dir);
3838
3839 /* If user name has not been set by -F, set it from the passwd entry
3840 unless -f has been used to set the sender address by a trusted user. */
3841
3842 if (originator_name == NULL)
3843 {
3844 if (sender_address == NULL ||
3845 (!trusted_caller && filter_test == FTEST_NONE))
3846 {
3847 uschar *name = US pw->pw_gecos;
3848 uschar *amp = Ustrchr(name, '&');
3849 uschar buffer[256];
3850
3851 /* Most Unix specify that a '&' character in the gecos field is
3852 replaced by a copy of the login name, and some even specify that
3853 the first character should be upper cased, so that's what we do. */
3854
3855 if (amp != NULL)
3856 {
3857 int loffset;
3858 string_format(buffer, sizeof(buffer), "%.*s%n%s%s",
3859 amp - name, name, &loffset, originator_login, amp + 1);
3860 buffer[loffset] = toupper(buffer[loffset]);
3861 name = buffer;
3862 }
3863
3864 /* If a pattern for matching the gecos field was supplied, apply
3865 it and then expand the name string. */
3866
3867 if (gecos_pattern != NULL && gecos_name != NULL)
3868 {
3869 const pcre *re;
3870 re = regex_must_compile(gecos_pattern, FALSE, TRUE); /* Use malloc */
3871
3872 if (regex_match_and_setup(re, name, 0, -1))
3873 {
3874 uschar *new_name = expand_string(gecos_name);
3875 expand_nmax = -1;
3876 if (new_name != NULL)
3877 {
3878 DEBUG(D_receive) debug_printf("user name \"%s\" extracted from "
3879 "gecos field \"%s\"\n", new_name, name);
3880 name = new_name;
3881 }
3882 else DEBUG(D_receive) debug_printf("failed to expand gecos_name string "
3883 "\"%s\": %s\n", gecos_name, expand_string_message);
3884 }
3885 else DEBUG(D_receive) debug_printf("gecos_pattern \"%s\" did not match "
3886 "gecos field \"%s\"\n", gecos_pattern, name);
3887 store_free((void *)re);
3888 }
3889 originator_name = string_copy(name);
3890 }
3891
3892 /* A trusted caller has used -f but not -F */
3893
3894 else originator_name = US"";
3895 }
3896
3897 /* Break the retry loop */
3898
3899 break;
3900 }
3901
3902 if (++i > finduser_retries) break;
3903 sleep(1);
3904 }
3905
3906 /* If we cannot get a user login, log the incident and give up, unless the
3907 configuration specifies something to use. When running in the test harness,
3908 any setting of unknown_login overrides the actual login name. */
3909
3910 if (originator_login == NULL || running_in_test_harness)
3911 {
3912 if (unknown_login != NULL)
3913 {
3914 originator_login = expand_string(unknown_login);
3915 if (originator_name == NULL && unknown_username != NULL)
3916 originator_name = expand_string(unknown_username);
3917 if (originator_name == NULL) originator_name = US"";
3918 }
3919 if (originator_login == NULL)
3920 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Failed to get user name for uid %d",
3921 (int)real_uid);
3922 }
3923
3924 /* Ensure that the user name is in a suitable form for use as a "phrase" in an
3925 RFC822 address.*/
3926
3927 originator_name = string_copy(parse_fix_phrase(originator_name,
3928 Ustrlen(originator_name), big_buffer, big_buffer_size));
3929
3930 /* If a message is created by this call of Exim, the uid/gid of its originator
3931 are those of the caller. These values are overridden if an existing message is
3932 read in from the spool. */
3933
3934 originator_uid = real_uid;
3935 originator_gid = real_gid;
3936
3937 DEBUG(D_receive) debug_printf("originator: uid=%d gid=%d login=%s name=%s\n",
3938 (int)originator_uid, (int)originator_gid, originator_login, originator_name);
3939
3940 /* Run in daemon and/or queue-running mode. The function daemon_go() never
3941 returns. We leave this till here so that the originator_ fields are available
3942 for incoming messages via the daemon. The daemon cannot be run in mua_wrapper
3943 mode. */
3944
3945 if (daemon_listen || queue_interval > 0)
3946 {
3947 if (mua_wrapper)
3948 {
3949 fprintf(stderr, "Daemon cannot be run when mua_wrapper is set\n");
3950 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "Daemon cannot be run when "
3951 "mua_wrapper is set");
3952 }
3953 daemon_go();
3954 }
3955
3956 /* If the sender ident has not been set (by a trusted caller) set it to
3957 the caller. This will get overwritten below for an inetd call. If a trusted
3958 caller has set it empty, unset it. */
3959
3960 if (sender_ident == NULL) sender_ident = originator_login;
3961 else if (sender_ident[0] == 0) sender_ident = NULL;
3962
3963 /* Handle the -brw option, which is for checking out rewriting rules. Cause log
3964 writes (on errors) to go to stderr instead. Can't do this earlier, as want the
3965 originator_* variables set. */
3966
3967 if (test_rewrite_arg >= 0)
3968 {
3969 really_exim = FALSE;
3970 if (test_rewrite_arg >= argc)
3971 {
3972 printf("-brw needs an address argument\n");
3973 exim_exit(EXIT_FAILURE);
3974 }
3975 rewrite_test(argv[test_rewrite_arg]);
3976 exim_exit(EXIT_SUCCESS);
3977 }
3978
3979 /* A locally-supplied message is considered to be coming from a local user
3980 unless a trusted caller supplies a sender address with -f, or is passing in the
3981 message via SMTP (inetd invocation or otherwise). */
3982
3983 if ((sender_address == NULL && !smtp_input) ||
3984 (!trusted_caller && filter_test == FTEST_NONE))
3985 {
3986 sender_local = TRUE;
3987
3988 /* A trusted caller can supply authenticated_sender and authenticated_id
3989 via -oMas and -oMai and if so, they will already be set. */
3990
3991 if (authenticated_sender == NULL)
3992 authenticated_sender = string_sprintf("%s@%s", originator_login,
3993 qualify_domain_sender);
3994 if (authenticated_id == NULL) authenticated_id = originator_login;
3995 }
3996
3997 /* Trusted callers are always permitted to specify the sender address.
3998 Untrusted callers may specify it if it matches untrusted_set_sender, or if what
3999 is specified is the empty address. However, if a trusted caller does not
4000 specify a sender address for SMTP input, we leave sender_address unset. This
4001 causes the MAIL commands to be honoured. */
4002
4003 if ((!smtp_input && sender_address == NULL) ||
4004 !receive_check_set_sender(sender_address))
4005 {
4006 /* Either the caller is not permitted to set a general sender, or this is
4007 non-SMTP input and the trusted caller has not set a sender. If there is no
4008 sender, or if a sender other than <> is set, override with the originator's
4009 login (which will get qualified below), except when checking things. */
4010
4011 if (sender_address == NULL /* No sender_address set */
4012 || /* OR */
4013 (sender_address[0] != 0 && /* Non-empty sender address, AND */
4014 !checking && /* Not running tests, AND */
4015 filter_test == FTEST_NONE)) /* Not testing a filter */
4016 {
4017 sender_address = originator_login;
4018 sender_address_forced = FALSE;
4019 sender_address_domain = 0;
4020 }
4021 }
4022
4023 /* Remember whether an untrusted caller set the sender address */
4024
4025 sender_set_untrusted = sender_address != originator_login && !trusted_caller;
4026
4027 /* Ensure that the sender address is fully qualified unless it is the empty
4028 address, which indicates an error message, or doesn't exist (root caller, smtp
4029 interface, no -f argument). */
4030
4031 if (sender_address != NULL && sender_address[0] != 0 &&
4032 sender_address_domain == 0)
4033 sender_address = string_sprintf("%s@%s", local_part_quote(sender_address),
4034 qualify_domain_sender);
4035
4036 DEBUG(D_receive) debug_printf("sender address = %s\n", sender_address);
4037
4038 /* Handle a request to verify a list of addresses, or test them for delivery.
4039 This must follow the setting of the sender address, since routers can be
4040 predicated upon the sender. If no arguments are given, read addresses from
4041 stdin. Set debug_level to at least D_v to get full output for address testing.
4042 */
4043
4044 if (verify_address_mode || address_test_mode)
4045 {
4046 int exit_value = 0;
4047 int flags = vopt_qualify;
4048
4049 if (verify_address_mode)
4050 {
4051 if (!verify_as_sender) flags |= vopt_is_recipient;
4052 DEBUG(D_verify) debug_print_ids(US"Verifying:");
4053 }
4054
4055 else
4056 {
4057 flags |= vopt_is_recipient;
4058 debug_selector |= D_v;
4059 debug_file = stderr;
4060 debug_fd = fileno(debug_file);
4061 DEBUG(D_verify) debug_print_ids(US"Address testing:");
4062 }
4063
4064 if (recipients_arg < argc)
4065 {
4066 while (recipients_arg < argc)
4067 {
4068 uschar *s = argv[recipients_arg++];
4069 while (*s != 0)
4070 {
4071 BOOL finished = FALSE;
4072 uschar *ss = parse_find_address_end(s, FALSE);
4073 if (*ss == ',') *ss = 0; else finished = TRUE;
4074 test_address(s, flags, &exit_value);
4075 s = ss;
4076 if (!finished)
4077 while (*(++s) != 0 && (*s == ',' || isspace(*s)));
4078 }
4079 }
4080 }
4081
4082 else for (;;)
4083 {
4084 uschar *s = get_stdinput(NULL, NULL);
4085 if (s == NULL) break;
4086 test_address(s, flags, &exit_value);
4087 }
4088
4089 route_tidyup();
4090 exim_exit(exit_value);
4091 }
4092
4093 /* Handle expansion checking */
4094
4095 if (expansion_test)
4096 {
4097 if (recipients_arg < argc)
4098 {
4099 while (recipients_arg < argc)
4100 {
4101 uschar *s = argv[recipients_arg++];
4102 uschar *ss = expand_string(s);
4103 if (ss == NULL)
4104 printf ("Failed: %s\n", expand_string_message);
4105 else printf("%s\n", CS ss);
4106 }
4107 }
4108
4109 /* Read stdin */
4110
4111 else
4112 {
4113 char *(*fn_readline)(char *) = NULL;
4114 char *(*fn_addhist)(char *) = NULL;
4115
4116 #ifdef USE_READLINE
4117 void *dlhandle = set_readline(&fn_readline, &fn_addhist);
4118 #endif
4119
4120 for (;;)
4121 {
4122 uschar *ss;
4123 uschar *source = get_stdinput(fn_readline, fn_addhist);
4124 if (source == NULL) break;
4125 ss = expand_string(source);
4126 if (ss == NULL)
4127 printf ("Failed: %s\n", expand_string_message);
4128 else printf("%s\n", CS ss);
4129 }
4130
4131 #ifdef USE_READLINE
4132 if (dlhandle != NULL) dlclose(dlhandle);
4133 #endif
4134 }
4135
4136 exim_exit(EXIT_SUCCESS);
4137 }
4138
4139
4140 /* The active host name is normally the primary host name, but it can be varied
4141 for hosts that want to play several parts at once. We need to ensure that it is
4142 set for host checking, and for receiving messages. */
4143
4144 smtp_active_hostname = primary_hostname;
4145 if (raw_active_hostname != NULL)
4146 {
4147 uschar *nah = expand_string(raw_active_hostname);
4148 if (nah == NULL)
4149 {
4150 if (!expand_string_forcedfail)
4151 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "failed to expand \"%s\" "
4152 "(smtp_active_hostname): %s", raw_active_hostname,
4153 expand_string_message);
4154 }
4155 else if (nah[0] != 0) smtp_active_hostname = nah;
4156 }
4157
4158 /* Handle host checking: this facility mocks up an incoming SMTP call from a
4159 given IP address so that the blocking and relay configuration can be tested. An
4160 RFC 1413 call is made only if we are running in the test harness and an
4161 incoming interface and both ports are specified, because there is no TCP/IP
4162 call to find the ident for. */
4163
4164 if (host_checking)
4165 {
4166 int x[4];
4167 int size;
4168
4169 sender_ident = NULL;
4170 if (running_in_test_harness && sender_host_port != 0 &&
4171 interface_address != NULL && interface_port != 0)
4172 verify_get_ident(1413);
4173
4174 /* In case the given address is a non-canonical IPv6 address, canonicize
4175 it. The code works for both IPv4 and IPv6, as it happens. */
4176
4177 size = host_aton(sender_host_address, x);
4178 sender_host_address = store_get(48); /* large enough for full IPv6 */
4179 (void)host_nmtoa(size, x, -1, sender_host_address, ':');
4180
4181 /* Now set up for testing */
4182
4183 host_build_sender_fullhost();
4184 smtp_input = TRUE;
4185 smtp_in = stdin;
4186 smtp_out = stdout;
4187 sender_local = FALSE;
4188 sender_host_notsocket = TRUE;
4189 debug_file = stderr;
4190 debug_fd = fileno(debug_file);
4191 fprintf(stdout, "\n**** SMTP testing session as if from host %s\n"
4192 "**** but without any ident (RFC 1413) callback.\n"
4193 "**** This is not for real!\n\n",
4194 sender_host_address);
4195
4196 if (verify_check_host(&hosts_connection_nolog) == OK)
4197 log_write_selector &= ~L_smtp_connection;
4198 log_write(L_smtp_connection, LOG_MAIN, "%s", smtp_get_connection_info());
4199
4200 if (smtp_start_session())
4201 {
4202 reset_point = store_get(0);
4203 for (;;)
4204 {
4205 store_reset(reset_point);
4206 if (smtp_setup_msg() <= 0) break;
4207 if (!receive_msg(FALSE)) break;
4208 }
4209 }
4210 exim_exit(EXIT_SUCCESS);
4211 }
4212
4213
4214 /* Arrange for message reception if recipients or SMTP were specified;
4215 otherwise complain unless a version print (-bV) happened or this is a filter
4216 verification test. In the former case, show the configuration file name. */
4217
4218 if (recipients_arg >= argc && !extract_recipients && !smtp_input)
4219 {
4220 if (version_printed)
4221 {
4222 printf("Configuration file is %s\n", config_main_filename);
4223 return EXIT_SUCCESS;
4224 }
4225 if (filter_test == FTEST_NONE)
4226 {
4227 fprintf(stderr,
4228 "Exim is a Mail Transfer Agent. It is normally called by Mail User Agents,\n"
4229 "not directly from a shell command line. Options and/or arguments control\n"
4230 "what it does when called. For a list of options, see the Exim documentation.\n");
4231 return EXIT_FAILURE;
4232 }
4233 }
4234
4235
4236 /* If mua_wrapper is set, Exim is being used to turn an MUA that submits on the
4237 standard input into an MUA that submits to a smarthost over TCP/IP. We know
4238 that we are not called from inetd, because that is rejected above. The
4239 following configuration settings are forced here:
4240
4241 (1) Synchronous delivery (-odi)
4242 (2) Errors to stderr (-oep == -oeq)
4243 (3) No parallel remote delivery
4244 (4) Unprivileged delivery
4245
4246 We don't force overall queueing options because there are several of them;
4247 instead, queueing is avoided below when mua_wrapper is set. However, we do need
4248 to override any SMTP queueing. */
4249
4250 if (mua_wrapper)
4251 {
4252 synchronous_delivery = TRUE;
4253 arg_error_handling = ERRORS_STDERR;
4254 remote_max_parallel = 1;
4255 deliver_drop_privilege = TRUE;
4256 queue_smtp = FALSE;
4257 queue_smtp_domains = NULL;
4258 }
4259
4260
4261 /* Prepare to accept one or more new messages on the standard input. When a
4262 message has been read, its id is returned in message_id[]. If doing immediate
4263 delivery, we fork a delivery process for each received message, except for the
4264 last one, where we can save a process switch.
4265
4266 It is only in non-smtp mode that error_handling is allowed to be changed from
4267 its default of ERRORS_SENDER by argument. (Idle thought: are any of the
4268 sendmail error modes other than -oem ever actually used? Later: yes.) */
4269
4270 if (!smtp_input) error_handling = arg_error_handling;
4271
4272 /* If this is an inetd call, ensure that stderr is closed to prevent panic
4273 logging being sent down the socket and make an identd call to get the
4274 sender_ident. */
4275
4276 else if (is_inetd)
4277 {
4278 (void)fclose(stderr);
4279 exim_nullstd(); /* Re-open to /dev/null */
4280 verify_get_ident(IDENT_PORT);
4281 host_build_sender_fullhost();
4282 set_process_info("handling incoming connection from %s via inetd",
4283 sender_fullhost);
4284 }
4285
4286 /* If the sender host address has been set, build sender_fullhost if it hasn't
4287 already been done (which it will have been for inetd). This caters for the
4288 case when it is forced by -oMa. However, we must flag that it isn't a socket,
4289 so that the test for IP options is skipped for -bs input. */
4290
4291 if (sender_host_address != NULL && sender_fullhost == NULL)
4292 {
4293 host_build_sender_fullhost();
4294 set_process_info("handling incoming connection from %s via -oMa",
4295 sender_fullhost);
4296 sender_host_notsocket = TRUE;
4297 }
4298
4299 /* Otherwise, set the sender host as unknown except for inetd calls. This
4300 prevents host checking in the case of -bs not from inetd and also for -bS. */
4301
4302 else if (!is_inetd) sender_host_unknown = TRUE;
4303
4304 /* If stdout does not exist, then dup stdin to stdout. This can happen
4305 if exim is started from inetd. In this case fd 0 will be set to the socket,
4306 but fd 1 will not be set. This also happens for passed SMTP channels. */
4307
4308 if (fstat(1, &statbuf) < 0) (void)dup2(0, 1);
4309
4310 /* Set up the incoming protocol name and the state of the program. Root
4311 is allowed to force received protocol via the -oMr option above, and if we are
4312 in a non-local SMTP state it means we have come via inetd and the process info
4313 has already been set up. We don't set received_protocol here for smtp input,
4314 as it varies according to batch/HELO/EHLO/AUTH/TLS. */
4315
4316 if (smtp_input)
4317 {
4318 if (sender_local) set_process_info("accepting a local SMTP message from <%s>",
4319 sender_address);
4320 }
4321 else
4322 {
4323 if (received_protocol == NULL)
4324 received_protocol = string_sprintf("local%s", called_as);
4325 set_process_info("accepting a local non-SMTP message from <%s>",
4326 sender_address);
4327 }
4328
4329 /* Initialize the local_queue-only flag (this will be ignored if mua_wrapper is
4330 set) */
4331
4332 queue_check_only();
4333 local_queue_only = queue_only;
4334
4335 /* For non-SMTP and for batched SMTP input, check that there is enough space on
4336 the spool if so configured. On failure, we must not attempt to send an error
4337 message! (For interactive SMTP, the check happens at MAIL FROM and an SMTP
4338 error code is given.) */
4339
4340 if ((!smtp_input || smtp_batched_input) && !receive_check_fs(0))
4341 {
4342 fprintf(stderr, "exim: insufficient disk space\n");
4343 return EXIT_FAILURE;
4344 }
4345
4346 /* If this is smtp input of any kind, handle the start of the SMTP
4347 session. */
4348
4349 if (smtp_input)
4350 {
4351 smtp_in = stdin;
4352 smtp_out = stdout;
4353 if (verify_check_host(&hosts_connection_nolog) == OK)
4354 log_write_selector &= ~L_smtp_connection;
4355 log_write(L_smtp_connection, LOG_MAIN, "%s", smtp_get_connection_info());
4356 if (!smtp_start_session())
4357 {
4358 mac_smtp_fflush();
4359 exim_exit(EXIT_SUCCESS);
4360 }
4361 }
4362
4363 /* Otherwise, set up the input size limit here */
4364
4365 else
4366 {
4367 thismessage_size_limit = expand_string_integer(message_size_limit);
4368 if (thismessage_size_limit < 0)
4369 {
4370 if (thismessage_size_limit == -1)
4371 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "failed to expand "
4372 "message_size_limit: %s", expand_string_message);
4373 else
4374 log_write(0, LOG_MAIN|LOG_PANIC_DIE, "invalid value for "
4375 "message_size_limit: %s", expand_string_message);
4376 }
4377 }
4378
4379 /* Loop for several messages when reading SMTP input. If we fork any child
4380 processes, we don't want to wait for them unless synchronous delivery is
4381 requested, so set SIGCHLD to SIG_IGN in that case. This is not necessarily the
4382 same as SIG_DFL, despite the fact that documentation often lists the default as
4383 "ignore". This is a confusing area. This is what I know:
4384
4385 At least on some systems (e.g. Solaris), just setting SIG_IGN causes child
4386 processes that complete simply to go away without ever becoming defunct. You
4387 can't then wait for them - but we don't want to wait for them in the
4388 non-synchronous delivery case. However, this behaviour of SIG_IGN doesn't
4389 happen for all OS (e.g. *BSD is different).
4390
4391 But that's not the end of the story. Some (many? all?) systems have the
4392 SA_NOCLDWAIT option for sigaction(). This requests the behaviour that Solaris
4393 has by default, so it seems that the difference is merely one of default
4394 (compare restarting vs non-restarting signals).
4395
4396 To cover all cases, Exim sets SIG_IGN with SA_NOCLDWAIT here if it can. If not,
4397 it just sets SIG_IGN. To be on the safe side it also calls waitpid() at the end
4398 of the loop below. Paranoia rules.
4399
4400 February 2003: That's *still* not the end of the story. There are now versions
4401 of Linux (where SIG_IGN does work) that are picky. If, having set SIG_IGN, a
4402 process then calls waitpid(), a grumble is written to the system log, because
4403 this is logically inconsistent. In other words, it doesn't like the paranoia.
4404 As a consequenc of this, the waitpid() below is now excluded if we are sure
4405 that SIG_IGN works. */
4406
4407 if (!synchronous_delivery)
4408 {
4409 #ifdef SA_NOCLDWAIT
4410 struct sigaction act;
4411 act.sa_handler = SIG_IGN;
4412 sigemptyset(&(act.sa_mask));
4413 act.sa_flags = SA_NOCLDWAIT;
4414 sigaction(SIGCHLD, &act, NULL);
4415 #else
4416 signal(SIGCHLD, SIG_IGN);
4417 #endif
4418 }
4419
4420 /* Save the current store pool point, for resetting at the start of
4421 each message, and save the real sender address, if any. */
4422
4423 reset_point = store_get(0);
4424 real_sender_address = sender_address;
4425
4426 /* Loop to receive messages; receive_msg() returns TRUE if there are more
4427 messages to be read (SMTP input), or FALSE otherwise (not SMTP, or SMTP channel
4428 collapsed). */
4429
4430 while (more)
4431 {
4432 store_reset(reset_point);
4433 message_id[0] = 0;
4434
4435 /* In the SMTP case, we have to handle the initial SMTP input and build the
4436 recipients list, before calling receive_msg() to read the message proper.
4437 Whatever sender address is actually given in the SMTP transaction is
4438 actually ignored for local senders - we use the actual sender, which is
4439 normally either the underlying user running this process or a -f argument
4440 provided by a trusted caller. It is saved in real_sender_address.
4441
4442 However, if this value is NULL, we are dealing with a trusted caller when
4443 -f was not used; in this case, the SMTP sender is allowed to stand.
4444
4445 Also, if untrusted_set_sender is set, we permit sender addresses that match
4446 anything in its list.
4447
4448 The variable raw_sender_address holds the sender address before rewriting. */
4449
4450 if (smtp_input)
4451 {
4452 int rc;
4453 if ((rc = smtp_setup_msg()) > 0)
4454 {
4455 if (real_sender_address != NULL &&
4456 !receive_check_set_sender(sender_address))
4457 {
4458 sender_address = raw_sender = real_sender_address;
4459 sender_address_unrewritten = NULL;
4460 }
4461 more = receive_msg(extract_recipients);
4462 if (message_id[0] == 0)
4463 {
4464 if (more) continue;
4465 exim_exit(EXIT_FAILURE);
4466 }
4467 }
4468 else exim_exit((rc == 0)? EXIT_SUCCESS : EXIT_FAILURE);
4469 }
4470
4471 /* In the non-SMTP case, we have all the information from the command
4472 line, but must process it in case it is in the more general RFC822
4473 format, and in any case, to detect syntax errors. Also, it appears that
4474 the use of comma-separated lists as single arguments is common, so we
4475 had better support them. */
4476
4477 else
4478 {
4479 int i;
4480 int rcount = 0;
4481 int count = argc - recipients_arg;
4482 uschar **list = argv + recipients_arg;
4483
4484 /* These options cannot be changed dynamically for non-SMTP messages */
4485
4486 active_local_sender_retain = local_sender_retain;
4487 active_local_from_check = local_from_check;
4488
4489 /* Save before any rewriting */
4490
4491 raw_sender = string_copy(sender_address);
4492
4493 /* Loop for each argument */
4494
4495 for (i = 0; i < count; i++)
4496 {
4497 int start, end, domain;
4498 uschar *errmess;
4499 uschar *s = list[i];
4500
4501 /* Loop for each comma-separated address */
4502
4503 while (*s != 0)
4504 {
4505 BOOL finished = FALSE;
4506 uschar *recipient;
4507 uschar *ss = parse_find_address_end(s, FALSE);
4508
4509 if (*ss == ',') *ss = 0; else finished = TRUE;
4510
4511 /* Check max recipients - if -t was used, these aren't recipients */
4512
4513 if (recipients_max > 0 && ++rcount > recipients_max &&
4514 !extract_recipients)
4515 {
4516 if (error_handling == ERRORS_STDERR)
4517 {
4518 fprintf(stderr, "exim: too many recipients\n");
4519 exim_exit(EXIT_FAILURE);
4520 }
4521 else
4522 {
4523 return
4524 moan_to_sender(ERRMESS_TOOMANYRECIP, NULL, NULL, stdin, TRUE)?
4525 errors_sender_rc : EXIT_FAILURE;
4526 }
4527 }
4528
4529 recipient =
4530 parse_extract_address(s, &errmess, &start, &end, &domain, FALSE);
4531
4532 if (domain == 0 && !allow_unqualified_recipient)
4533 {
4534 recipient = NULL;
4535 errmess = US"unqualified recipient address not allowed";
4536 }
4537
4538 if (recipient == NULL)
4539 {
4540 if (error_handling == ERRORS_STDERR)
4541 {
4542 fprintf(stderr, "exim: bad recipient address \"%s\": %s\n",
4543 string_printing(list[i]), errmess);
4544 exim_exit(EXIT_FAILURE);
4545 }
4546 else
4547 {
4548 error_block eblock;
4549 eblock.next = NULL;
4550 eblock.text1 = string_printing(list[i]);
4551 eblock.text2 = errmess;
4552 return
4553 moan_to_sender(ERRMESS_BADARGADDRESS, &eblock, NULL, stdin, TRUE)?
4554 errors_sender_rc : EXIT_FAILURE;
4555 }
4556 }
4557
4558 receive_add_recipient(recipient, -1);
4559 s = ss;
4560 if (!finished)
4561 while (*(++s) != 0 && (*s == ',' || isspace(*s)));
4562 }
4563 }
4564
4565 /* Show the recipients when debugging */
4566
4567 DEBUG(D_receive)
4568 {
4569 int i;
4570 if (sender_address != NULL) debug_printf("Sender: %s\n", sender_address);
4571 if (recipients_list != NULL)
4572 {
4573 debug_printf("Recipients:\n");
4574 for (i = 0; i < recipients_count; i++)
4575 debug_printf(" %s\n", recipients_list[i].address);
4576 }
4577 }
4578
4579 /* Read the data for the message. If filter_test is not FTEST_NONE, this
4580 will just read the headers for the message, and not write anything onto the
4581 spool. */
4582
4583 message_ended = END_NOTENDED;
4584 more = receive_msg(extract_recipients);
4585
4586 /* more is always FALSE here (not SMTP message) when reading a message
4587 for real; when reading the headers of a message for filter testing,
4588 it is TRUE if the headers were terminated by '.' and FALSE otherwise. */
4589
4590 if (message_id[0] == 0) exim_exit(EXIT_FAILURE);
4591 } /* Non-SMTP message reception */
4592
4593 /* If this is a filter testing run, there are headers in store, but
4594 no message on the spool. Run the filtering code in testing mode, setting
4595 the domain to the qualify domain and the local part to the current user,
4596 unless they have been set by options. The prefix and suffix are left unset
4597 unless specified. The the return path is set to to the sender unless it has
4598 already been set from a return-path header in the message. */
4599
4600 if (filter_test != FTEST_NONE)
4601 {
4602 deliver_domain = (ftest_domain != NULL)?
4603 ftest_domain : qualify_domain_recipient;
4604 deliver_domain_orig = deliver_domain;
4605 deliver_localpart = (ftest_localpart != NULL)?
4606 ftest_localpart : originator_login;
4607 deliver_localpart_orig = deliver_localpart;
4608 deliver_localpart_prefix = ftest_prefix;
4609 deliver_localpart_suffix = ftest_suffix;
4610 deliver_home = originator_home;
4611
4612 if (return_path == NULL)
4613 {
4614 printf("Return-path copied from sender\n");
4615 return_path = string_copy(sender_address);
4616 }
4617 else
4618 {
4619 printf("Return-path = %s\n", (return_path[0] == 0)? US"<>" : return_path);
4620 }
4621 printf("Sender = %s\n", (sender_address[0] == 0)? US"<>" : sender_address);
4622
4623 receive_add_recipient(
4624 string_sprintf("%s%s%s@%s",
4625 (ftest_prefix == NULL)? US"" : ftest_prefix,
4626 deliver_localpart,
4627 (ftest_suffix == NULL)? US"" : ftest_suffix,
4628 deliver_domain), -1);
4629
4630 printf("Recipient = %s\n", recipients_list[0].address);
4631 if (ftest_prefix != NULL) printf("Prefix = %s\n", ftest_prefix);
4632 if (ftest_suffix != NULL) printf("Suffix = %s\n", ftest_suffix);
4633
4634 (void)chdir("/"); /* Get away from wherever the user is running this from */
4635
4636 /* Now we run either a system filter test, or a user filter test, or both.
4637 In the latter case, headers added by the system filter will persist and be
4638 available to the user filter. We need to copy the filter variables
4639 explicitly. */
4640
4641 if ((filter_test & FTEST_SYSTEM) != 0)
4642 {
4643 if (!filter_runtest(filter_sfd, filter_test_sfile, TRUE, more))
4644 exim_exit(EXIT_FAILURE);
4645 }
4646
4647 memcpy(filter_sn, filter_n, sizeof(filter_sn));
4648
4649 if ((filter_test & FTEST_USER) != 0)
4650 {
4651 if (!filter_runtest(filter_ufd, filter_test_ufile, FALSE, more))
4652 exim_exit(EXIT_FAILURE);
4653 }
4654
4655 exim_exit(EXIT_SUCCESS);
4656 }
4657
4658 /* Else act on the result of message reception. We should not get here unless
4659 message_id[0] is non-zero. If queue_only is set, local_queue_only will be
4660 TRUE. If it is not, check on the number of messages received in this
4661 connection. If that's OK and queue_only_load is set, check that the load
4662 average is below it. If it is not, set local_queue_only TRUE. Note that it
4663 then remains this way for any subsequent messages on the same SMTP connection.
4664 This is a deliberate choice; even though the load average may fall, it
4665 doesn't seem right to deliver later messages on the same call when not
4666 delivering earlier ones. */
4667
4668 if (!local_queue_only)
4669 {
4670 if (smtp_accept_queue_per_connection > 0 &&
4671 receive_messagecount > smtp_accept_queue_per_connection)
4672 {
4673 local_queue_only = TRUE;
4674 queue_only_reason = 2;
4675 }
4676 else if (queue_only_load >= 0)
4677 {
4678 local_queue_only = (load_average = os_getloadavg()) > queue_only_load;
4679 if (local_queue_only) queue_only_reason = 3;
4680 }
4681 }
4682
4683 /* If running as an MUA wrapper, all queueing options and freezing options
4684 are ignored. */
4685
4686 if (mua_wrapper)
4687 local_queue_only = queue_only_policy = deliver_freeze = FALSE;
4688
4689 /* Log the queueing here, when it will get a message id attached, but
4690 not if queue_only is set (case 0). Case 1 doesn't happen here (too many
4691 connections). */
4692
4693 if (local_queue_only) switch(queue_only_reason)
4694 {
4695 case 2:
4696 log_write(L_delay_delivery,
4697 LOG_MAIN, "no immediate delivery: more than %d messages "
4698 "received in one connection", smtp_accept_queue_per_connection);
4699 break;
4700
4701 case 3:
4702 log_write(L_delay_delivery,
4703 LOG_MAIN, "no immediate delivery: load average %.2f",
4704 (double)load_average/1000.0);
4705 break;
4706 }
4707
4708 /* Else do the delivery unless the ACL or local_scan() called for queue only
4709 or froze the message. Always deliver in a separate process. A fork failure is
4710 not a disaster, as the delivery will eventually happen on a subsequent queue
4711 run. The search cache must be tidied before the fork, as the parent will
4712 do it before exiting. The child will trigger a lookup failure and
4713 thereby defer the delivery if it tries to use (for example) a cached ldap
4714 connection that the parent has called unbind on. */
4715
4716 else if (!queue_only_policy && !deliver_freeze)
4717 {
4718 pid_t pid;
4719 search_tidyup();
4720
4721 if ((pid = fork()) == 0)
4722 {
4723 int rc;
4724 close_unwanted(); /* Close unwanted file descriptors and TLS */
4725 exim_nullstd(); /* Ensure std{in,out,err} exist */
4726
4727 /* Occasionally in the test harness we don't have synchronous delivery
4728 set (can happen with bounces). In that case, let the old process finish
4729 before continuing, to keep the debug output the same. */
4730
4731 if (running_in_test_harness && !synchronous_delivery) millisleep(100);
4732
4733 /* Re-exec Exim if we need to regain privilege (note: in mua_wrapper
4734 mode, deliver_drop_privilege is forced TRUE). */
4735
4736 if (geteuid() != root_uid && !deliver_drop_privilege && !unprivileged)
4737 {
4738 (void)child_exec_exim(CEE_EXEC_EXIT, FALSE, NULL, FALSE, 2, US"-Mc",
4739 message_id);
4740 /* Control does not return here. */
4741 }
4742
4743 /* No need to re-exec */
4744
4745 rc = deliver_message(message_id, FALSE, FALSE);
4746 search_tidyup();
4747 _exit((!mua_wrapper || rc == DELIVER_MUA_SUCCEEDED)?
4748 EXIT_SUCCESS : EXIT_FAILURE);
4749 }
4750
4751 if (pid < 0)
4752 {
4753 log_write(0, LOG_MAIN|LOG_PANIC, "failed to fork automatic delivery "
4754 "process: %s", strerror(errno));
4755 }
4756
4757 /* In the parent, wait if synchronous delivery is required. This will
4758 always be the case in MUA wrapper mode. */
4759
4760 else if (synchronous_delivery)
4761 {
4762 int status;
4763 while (wait(&status) != pid);
4764 if ((status & 0x00ff) != 0)
4765 log_write(0, LOG_MAIN|LOG_PANIC,
4766 "process %d crashed with signal %d while delivering %s",
4767 (int)pid, status & 0x00ff, message_id);
4768 if (mua_wrapper && (status & 0xffff) != 0) exim_exit(EXIT_FAILURE);
4769 }
4770 }
4771
4772 /* The loop will repeat if more is TRUE. If we do not know know that the OS
4773 automatically reaps children (see comments above the loop), clear away any
4774 finished subprocesses here, in case there are lots of messages coming in
4775 from the same source. */
4776
4777 #ifndef SIG_IGN_WORKS
4778 while (waitpid(-1, NULL, WNOHANG) > 0);
4779 #endif
4780 }
4781
4782 exim_exit(EXIT_SUCCESS); /* Never returns */
4783 return 0; /* To stop compiler warning */
4784 }
4785
4786 /* End of exim.c */