doc: remove colon from node name
[coreutils.git] / src / timeout.c
blob748832f8ac8be83222d83f24bbd3754dadaa288b
1 /* timeout -- run a command with bounded time
2 Copyright (C) 2008-2019 Free Software Foundation, Inc.
4 This program is free software: you can redistribute it and/or modify
5 it under the terms of the GNU General Public License as published by
6 the Free Software Foundation, either version 3 of the License, or
7 (at your option) any later version.
9 This program is distributed in the hope that it will be useful,
10 but WITHOUT ANY WARRANTY; without even the implied warranty of
11 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 GNU General Public License for more details.
14 You should have received a copy of the GNU General Public License
15 along with this program. If not, see <https://www.gnu.org/licenses/>. */
18 /* timeout - Start a command, and kill it if the specified timeout expires
20 We try to behave like a shell starting a single (foreground) job,
21 and will kill the job if we receive the alarm signal we setup.
22 The exit status of the job is returned, or one of these errors:
23 EXIT_TIMEDOUT 124 job timed out
24 EXIT_CANCELED 125 internal error
25 EXIT_CANNOT_INVOKE 126 error executing job
26 EXIT_ENOENT 127 couldn't find job to exec
28 Caveats:
29 If user specifies the KILL (9) signal is to be sent on timeout,
30 the monitor is killed and so exits with 128+9 rather than 124.
32 If you start a command in the background, which reads from the tty
33 and so is immediately sent SIGTTIN to stop, then the timeout
34 process will ignore this so it can timeout the command as expected.
35 This can be seen with 'timeout 10 dd&' for example.
36 However if one brings this group to the foreground with the 'fg'
37 command before the timer expires, the command will remain
38 in the stop state as the shell doesn't send a SIGCONT
39 because the timeout process (group leader) is already running.
40 To get the command running again one can Ctrl-Z, and do fg again.
41 Note one can Ctrl-C the whole job when in this state.
42 I think this could be fixed but I'm not sure the extra
43 complication is justified for this scenario.
45 Written by Pádraig Brady. */
47 #include <config.h>
48 #include <getopt.h>
49 #include <stdio.h>
50 #include <sys/types.h>
51 #include <signal.h>
52 #if HAVE_PRCTL
53 # include <sys/prctl.h>
54 #endif
55 #include <sys/wait.h>
57 #include "system.h"
58 #include "cl-strtod.h"
59 #include "xstrtod.h"
60 #include "sig2str.h"
61 #include "operand2sig.h"
62 #include "error.h"
63 #include "quote.h"
65 #if HAVE_SETRLIMIT
66 /* FreeBSD 5.0 at least needs <sys/types.h> and <sys/time.h> included
67 before <sys/resource.h>. Currently "system.h" includes <sys/time.h>. */
68 # include <sys/resource.h>
69 #endif
71 /* NonStop circa 2011 lacks both SA_RESTART and siginterrupt. */
72 #ifndef SA_RESTART
73 # define SA_RESTART 0
74 #endif
76 #define PROGRAM_NAME "timeout"
78 #define AUTHORS proper_name ("Padraig Brady")
80 static int timed_out;
81 static int term_signal = SIGTERM; /* same default as kill command. */
82 static pid_t monitored_pid;
83 static double kill_after;
84 static bool foreground; /* whether to use another program group. */
85 static bool preserve_status; /* whether to use a timeout status or not. */
86 static bool verbose; /* whether to diagnose timeouts or not. */
87 static char const* command;
89 /* for long options with no corresponding short option, use enum */
90 enum
92 FOREGROUND_OPTION = CHAR_MAX + 1,
93 PRESERVE_STATUS_OPTION
96 static struct option const long_options[] =
98 {"kill-after", required_argument, NULL, 'k'},
99 {"signal", required_argument, NULL, 's'},
100 {"verbose", no_argument, NULL, 'v'},
101 {"foreground", no_argument, NULL, FOREGROUND_OPTION},
102 {"preserve-status", no_argument, NULL, PRESERVE_STATUS_OPTION},
103 {GETOPT_HELP_OPTION_DECL},
104 {GETOPT_VERSION_OPTION_DECL},
105 {NULL, 0, NULL, 0}
108 /* Start the timeout after which we'll receive a SIGALRM.
109 Round DURATION up to the next representable value.
110 Treat out-of-range values as if they were maximal,
111 as that's more useful in practice than reporting an error.
112 '0' means don't timeout. */
113 static void
114 settimeout (double duration, bool warn)
117 /* timer_settime() provides potentially nanosecond resolution.
118 setitimer() is more portable (to Darwin for example),
119 but only provides microsecond resolution and thus is
120 a little more awkward to use with timespecs, as well as being
121 deprecated by POSIX. Instead we fallback to single second
122 resolution provided by alarm(). */
124 #if HAVE_TIMER_SETTIME
125 struct timespec ts = dtotimespec (duration);
126 struct itimerspec its = { {0, 0}, ts };
127 timer_t timerid;
128 if (timer_create (CLOCK_REALTIME, NULL, &timerid) == 0)
130 if (timer_settime (timerid, 0, &its, NULL) == 0)
131 return;
132 else
134 if (warn)
135 error (0, errno, _("warning: timer_settime"));
136 timer_delete (timerid);
139 else if (warn && errno != ENOSYS)
140 error (0, errno, _("warning: timer_create"));
141 #endif
143 unsigned int timeint;
144 if (UINT_MAX <= duration)
145 timeint = UINT_MAX;
146 else
148 unsigned int duration_floor = duration;
149 timeint = duration_floor + (duration_floor < duration);
151 alarm (timeint);
154 /* send SIG avoiding the current process. */
156 static int
157 send_sig (pid_t where, int sig)
159 /* If sending to the group, then ignore the signal,
160 so we don't go into a signal loop. Note that this will ignore any of the
161 signals registered in install_cleanup(), that are sent after we
162 propagate the first one, which hopefully won't be an issue. Note this
163 process can be implicitly multithreaded due to some timer_settime()
164 implementations, therefore a signal sent to the group, can be sent
165 multiple times to this process. */
166 if (where == 0)
167 signal (sig, SIG_IGN);
168 return kill (where, sig);
171 /* Signal handler which is required for sigsuspend() to be interrupted
172 whenever SIGCHLD is received. */
173 static void
174 chld (int sig)
179 static void
180 cleanup (int sig)
182 if (sig == SIGALRM)
184 timed_out = 1;
185 sig = term_signal;
187 if (monitored_pid)
189 if (kill_after)
191 int saved_errno = errno; /* settimeout may reset. */
192 /* Start a new timeout after which we'll send SIGKILL. */
193 term_signal = SIGKILL;
194 settimeout (kill_after, false);
195 kill_after = 0; /* Don't let later signals reset kill alarm. */
196 errno = saved_errno;
199 /* Send the signal directly to the monitored child,
200 in case it has itself become group leader,
201 or is not running in a separate group. */
202 if (verbose)
204 char signame[MAX (SIG2STR_MAX, INT_BUFSIZE_BOUND (int))];
205 if (sig2str (sig, signame) != 0)
206 snprintf (signame, sizeof signame, "%d", sig);
207 error (0, 0, _("sending signal %s to command %s"),
208 signame, quote (command));
210 send_sig (monitored_pid, sig);
212 /* The normal case is the job has remained in our
213 newly created process group, so send to all processes in that. */
214 if (!foreground)
216 send_sig (0, sig);
217 if (sig != SIGKILL && sig != SIGCONT)
219 send_sig (monitored_pid, SIGCONT);
220 send_sig (0, SIGCONT);
224 else /* we're the child or the child is not exec'd yet. */
225 _exit (128 + sig);
228 void
229 usage (int status)
231 if (status != EXIT_SUCCESS)
232 emit_try_help ();
233 else
235 printf (_("\
236 Usage: %s [OPTION] DURATION COMMAND [ARG]...\n\
237 or: %s [OPTION]\n"), program_name, program_name);
239 fputs (_("\
240 Start COMMAND, and kill it if still running after DURATION.\n\
241 "), stdout);
243 emit_mandatory_arg_note ();
245 fputs (_("\
246 --preserve-status\n\
247 exit with the same status as COMMAND, even when the\n\
248 command times out\n\
249 --foreground\n\
250 when not running timeout directly from a shell prompt,\n\
251 allow COMMAND to read from the TTY and get TTY signals;\n\
252 in this mode, children of COMMAND will not be timed out\n\
253 -k, --kill-after=DURATION\n\
254 also send a KILL signal if COMMAND is still running\n\
255 this long after the initial signal was sent\n\
256 -s, --signal=SIGNAL\n\
257 specify the signal to be sent on timeout;\n\
258 SIGNAL may be a name like 'HUP' or a number;\n\
259 see 'kill -l' for a list of signals\n"), stdout);
260 fputs (_("\
261 -v, --verbose diagnose to stderr any signal sent upon timeout\n"), stdout);
263 fputs (HELP_OPTION_DESCRIPTION, stdout);
264 fputs (VERSION_OPTION_DESCRIPTION, stdout);
266 fputs (_("\n\
267 DURATION is a floating point number with an optional suffix:\n\
268 's' for seconds (the default), 'm' for minutes, 'h' for hours or \
269 'd' for days.\nA duration of 0 disables the associated timeout.\n"), stdout);
271 fputs (_("\n\
272 If the command times out, and --preserve-status is not set, then exit with\n\
273 status 124. Otherwise, exit with the status of COMMAND. If no signal\n\
274 is specified, send the TERM signal upon timeout. The TERM signal kills\n\
275 any process that does not block or catch that signal. It may be necessary\n\
276 to use the KILL (9) signal, since this signal cannot be caught, in which\n\
277 case the exit status is 128+9 rather than 124.\n"), stdout);
278 emit_ancillary_info (PROGRAM_NAME);
280 exit (status);
283 /* Given a floating point value *X, and a suffix character, SUFFIX_CHAR,
284 scale *X by the multiplier implied by SUFFIX_CHAR. SUFFIX_CHAR may
285 be the NUL byte or 's' to denote seconds, 'm' for minutes, 'h' for
286 hours, or 'd' for days. If SUFFIX_CHAR is invalid, don't modify *X
287 and return false. Otherwise return true. */
289 static bool
290 apply_time_suffix (double *x, char suffix_char)
292 int multiplier;
294 switch (suffix_char)
296 case 0:
297 case 's':
298 multiplier = 1;
299 break;
300 case 'm':
301 multiplier = 60;
302 break;
303 case 'h':
304 multiplier = 60 * 60;
305 break;
306 case 'd':
307 multiplier = 60 * 60 * 24;
308 break;
309 default:
310 return false;
313 *x *= multiplier;
315 return true;
318 static double
319 parse_duration (const char *str)
321 double duration;
322 const char *ep;
324 if (! (xstrtod (str, &ep, &duration, cl_strtod) || errno == ERANGE)
325 /* Nonnegative interval. */
326 || ! (0 <= duration)
327 /* No extra chars after the number and an optional s,m,h,d char. */
328 || (*ep && *(ep + 1))
329 /* Check any suffix char and update timeout based on the suffix. */
330 || !apply_time_suffix (&duration, *ep))
332 error (0, 0, _("invalid time interval %s"), quote (str));
333 usage (EXIT_CANCELED);
336 return duration;
339 static void
340 unblock_signal (int sig)
342 sigset_t unblock_set;
343 sigemptyset (&unblock_set);
344 sigaddset (&unblock_set, sig);
345 if (sigprocmask (SIG_UNBLOCK, &unblock_set, NULL) != 0)
346 error (0, errno, _("warning: sigprocmask"));
349 static void
350 install_sigchld (void)
352 struct sigaction sa;
353 sigemptyset (&sa.sa_mask); /* Allow concurrent calls to handler */
354 sa.sa_handler = chld;
355 sa.sa_flags = SA_RESTART; /* Restart syscalls if possible, as that's
356 more likely to work cleanly. */
358 sigaction (SIGCHLD, &sa, NULL);
360 /* We inherit the signal mask from our parent process,
361 so ensure SIGCHLD is not blocked. */
362 unblock_signal (SIGCHLD);
365 static void
366 install_cleanup (int sigterm)
368 struct sigaction sa;
369 sigemptyset (&sa.sa_mask); /* Allow concurrent calls to handler */
370 sa.sa_handler = cleanup;
371 sa.sa_flags = SA_RESTART; /* Restart syscalls if possible, as that's
372 more likely to work cleanly. */
374 sigaction (SIGALRM, &sa, NULL); /* our timeout. */
375 sigaction (SIGINT, &sa, NULL); /* Ctrl-C at terminal for example. */
376 sigaction (SIGQUIT, &sa, NULL); /* Ctrl-\ at terminal for example. */
377 sigaction (SIGHUP, &sa, NULL); /* terminal closed for example. */
378 sigaction (SIGTERM, &sa, NULL); /* if we're killed, stop monitored proc. */
379 sigaction (sigterm, &sa, NULL); /* user specified termination signal. */
382 /* Block all signals which were registered with cleanup() as the signal
383 handler, so we never kill processes after waitpid() returns.
384 Also block SIGCHLD to ensure it doesn't fire between
385 waitpid() polling and sigsuspend() waiting for a signal.
386 Return original mask in OLD_SET. */
387 static void
388 block_cleanup_and_chld (int sigterm, sigset_t *old_set)
390 sigset_t block_set;
391 sigemptyset (&block_set);
393 sigaddset (&block_set, SIGALRM);
394 sigaddset (&block_set, SIGINT);
395 sigaddset (&block_set, SIGQUIT);
396 sigaddset (&block_set, SIGHUP);
397 sigaddset (&block_set, SIGTERM);
398 sigaddset (&block_set, sigterm);
400 sigaddset (&block_set, SIGCHLD);
402 if (sigprocmask (SIG_BLOCK, &block_set, old_set) != 0)
403 error (0, errno, _("warning: sigprocmask"));
406 /* Try to disable core dumps for this process.
407 Return TRUE if successful, FALSE otherwise. */
408 static bool
409 disable_core_dumps (void)
411 #if HAVE_PRCTL && defined PR_SET_DUMPABLE
412 if (prctl (PR_SET_DUMPABLE, 0) == 0)
413 return true;
415 #elif HAVE_SETRLIMIT && defined RLIMIT_CORE
416 /* Note this doesn't disable processing by a filter in
417 /proc/sys/kernel/core_pattern on Linux. */
418 if (setrlimit (RLIMIT_CORE, &(struct rlimit) {0,0}) == 0)
419 return true;
421 #else
422 return false;
423 #endif
425 error (0, errno, _("warning: disabling core dumps failed"));
426 return false;
430 main (int argc, char **argv)
432 double timeout;
433 char signame[SIG2STR_MAX];
434 int c;
436 initialize_main (&argc, &argv);
437 set_program_name (argv[0]);
438 setlocale (LC_ALL, "");
439 bindtextdomain (PACKAGE, LOCALEDIR);
440 textdomain (PACKAGE);
442 initialize_exit_failure (EXIT_CANCELED);
443 atexit (close_stdout);
445 while ((c = getopt_long (argc, argv, "+k:s:v", long_options, NULL)) != -1)
447 switch (c)
449 case 'k':
450 kill_after = parse_duration (optarg);
451 break;
453 case 's':
454 term_signal = operand2sig (optarg, signame);
455 if (term_signal == -1)
456 usage (EXIT_CANCELED);
457 break;
459 case 'v':
460 verbose = true;
461 break;
463 case FOREGROUND_OPTION:
464 foreground = true;
465 break;
467 case PRESERVE_STATUS_OPTION:
468 preserve_status = true;
469 break;
471 case_GETOPT_HELP_CHAR;
473 case_GETOPT_VERSION_CHAR (PROGRAM_NAME, AUTHORS);
475 default:
476 usage (EXIT_CANCELED);
477 break;
481 if (argc - optind < 2)
482 usage (EXIT_CANCELED);
484 timeout = parse_duration (argv[optind++]);
486 argv += optind;
487 command = argv[0];
489 /* Ensure we're in our own group so all subprocesses can be killed.
490 Note we don't just put the child in a separate group as
491 then we would need to worry about foreground and background groups
492 and propagating signals between them. */
493 if (!foreground)
494 setpgid (0, 0);
496 /* Setup handlers before fork() so that we
497 handle any signals caused by child, without races. */
498 install_cleanup (term_signal);
499 signal (SIGTTIN, SIG_IGN); /* Don't stop if background child needs tty. */
500 signal (SIGTTOU, SIG_IGN); /* Don't stop if background child needs tty. */
501 install_sigchld (); /* Interrupt sigsuspend() when child exits. */
503 monitored_pid = fork ();
504 if (monitored_pid == -1)
506 error (0, errno, _("fork system call failed"));
507 return EXIT_CANCELED;
509 else if (monitored_pid == 0)
510 { /* child */
511 /* exec doesn't reset SIG_IGN -> SIG_DFL. */
512 signal (SIGTTIN, SIG_DFL);
513 signal (SIGTTOU, SIG_DFL);
515 execvp (argv[0], argv); /* FIXME: should we use "sh -c" ... here? */
517 /* exit like sh, env, nohup, ... */
518 int exit_status = errno == ENOENT ? EXIT_ENOENT : EXIT_CANNOT_INVOKE;
519 error (0, errno, _("failed to run command %s"), quote (command));
520 return exit_status;
522 else
524 pid_t wait_result;
525 int status;
527 /* We configure timers so that SIGALRM is sent on expiry.
528 Therefore ensure we don't inherit a mask blocking SIGALRM. */
529 unblock_signal (SIGALRM);
531 settimeout (timeout, true);
533 /* Ensure we don't cleanup() after waitpid() reaps the child,
534 to avoid sending signals to a possibly different process. */
535 sigset_t cleanup_set;
536 block_cleanup_and_chld (term_signal, &cleanup_set);
538 while ((wait_result = waitpid (monitored_pid, &status, WNOHANG)) == 0)
539 sigsuspend (&cleanup_set); /* Wait with cleanup signals unblocked. */
541 if (wait_result < 0)
543 /* shouldn't happen. */
544 error (0, errno, _("error waiting for command"));
545 status = EXIT_CANCELED;
547 else
549 if (WIFEXITED (status))
550 status = WEXITSTATUS (status);
551 else if (WIFSIGNALED (status))
553 int sig = WTERMSIG (status);
554 if (WCOREDUMP (status))
555 error (0, 0, _("the monitored command dumped core"));
556 if (!timed_out && disable_core_dumps ())
558 /* exit with the signal flag set. */
559 signal (sig, SIG_DFL);
560 unblock_signal (sig);
561 raise (sig);
563 status = sig + 128; /* what sh returns for signaled processes. */
565 else
567 /* shouldn't happen. */
568 error (0, 0, _("unknown status from command (%d)"), status);
569 status = EXIT_FAILURE;
573 if (timed_out && !preserve_status)
574 status = EXIT_TIMEDOUT;
575 return status;