hush: remove redundand test for ENABLE_HUSH_JOB
[oweals/busybox.git] / shell / hush.c
1 /* vi: set sw=4 ts=4: */
2 /*
3  * A prototype Bourne shell grammar parser.
4  * Intended to follow the original Thompson and Ritchie
5  * "small and simple is beautiful" philosophy, which
6  * incidentally is a good match to today's BusyBox.
7  *
8  * Copyright (C) 2000,2001  Larry Doolittle <larry@doolittle.boa.org>
9  * Copyright (C) 2008,2009  Denys Vlasenko <vda.linux@googlemail.com>
10  *
11  * Licensed under GPLv2 or later, see file LICENSE in this source tree.
12  *
13  * Credits:
14  *      The parser routines proper are all original material, first
15  *      written Dec 2000 and Jan 2001 by Larry Doolittle.  The
16  *      execution engine, the builtins, and much of the underlying
17  *      support has been adapted from busybox-0.49pre's lash, which is
18  *      Copyright (C) 1999-2004 by Erik Andersen <andersen@codepoet.org>
19  *      written by Erik Andersen <andersen@codepoet.org>.  That, in turn,
20  *      is based in part on ladsh.c, by Michael K. Johnson and Erik W.
21  *      Troan, which they placed in the public domain.  I don't know
22  *      how much of the Johnson/Troan code has survived the repeated
23  *      rewrites.
24  *
25  * Other credits:
26  *      o_addchr derived from similar w_addchar function in glibc-2.2.
27  *      parse_redirect, redirect_opt_num, and big chunks of main
28  *      and many builtins derived from contributions by Erik Andersen.
29  *      Miscellaneous bugfixes from Matt Kraai.
30  *
31  * There are two big (and related) architecture differences between
32  * this parser and the lash parser.  One is that this version is
33  * actually designed from the ground up to understand nearly all
34  * of the Bourne grammar.  The second, consequential change is that
35  * the parser and input reader have been turned inside out.  Now,
36  * the parser is in control, and asks for input as needed.  The old
37  * way had the input reader in control, and it asked for parsing to
38  * take place as needed.  The new way makes it much easier to properly
39  * handle the recursion implicit in the various substitutions, especially
40  * across continuation lines.
41  *
42  * TODOs:
43  *      grep for "TODO" and fix (some of them are easy)
44  *      special variables (done: PWD, PPID, RANDOM)
45  *      tilde expansion
46  *      aliases
47  *      follow IFS rules more precisely, including update semantics
48  *      builtins mandated by standards we don't support:
49  *          [un]alias, command, fc, getopts, newgrp, readonly, times
50  *      make complex ${var%...} constructs support optional
51  *      make here documents optional
52  *
53  * Bash compat TODO:
54  *      redirection of stdout+stderr: &> and >&
55  *      reserved words: function select
56  *      advanced test: [[ ]]
57  *      process substitution: <(list) and >(list)
58  *      =~: regex operator
59  *      let EXPR [EXPR...]
60  *          Each EXPR is an arithmetic expression (ARITHMETIC EVALUATION)
61  *          If the last arg evaluates to 0, let returns 1; 0 otherwise.
62  *          NB: let `echo 'a=a + 1'` - error (IOW: multi-word expansion is used)
63  *      ((EXPR))
64  *          The EXPR is evaluated according to ARITHMETIC EVALUATION.
65  *          This is exactly equivalent to let "EXPR".
66  *      $[EXPR]: synonym for $((EXPR))
67  *
68  * Won't do:
69  *      In bash, export builtin is special, its arguments are assignments
70  *          and therefore expansion of them should be "one-word" expansion:
71  *              $ export i=`echo 'a  b'` # export has one arg: "i=a  b"
72  *          compare with:
73  *              $ ls i=`echo 'a  b'`     # ls has two args: "i=a" and "b"
74  *              ls: cannot access i=a: No such file or directory
75  *              ls: cannot access b: No such file or directory
76  *          Note1: same applies to local builtin.
77  *          Note2: bash 3.2.33(1) does this only if export word itself
78  *          is not quoted:
79  *              $ export i=`echo 'aaa  bbb'`; echo "$i"
80  *              aaa  bbb
81  *              $ "export" i=`echo 'aaa  bbb'`; echo "$i"
82  *              aaa
83  */
84 //config:config HUSH
85 //config:       bool "hush"
86 //config:       default y
87 //config:       help
88 //config:         hush is a small shell (25k). It handles the normal flow control
89 //config:         constructs such as if/then/elif/else/fi, for/in/do/done, while loops,
90 //config:         case/esac. Redirections, here documents, $((arithmetic))
91 //config:         and functions are supported.
92 //config:
93 //config:         It will compile and work on no-mmu systems.
94 //config:
95 //config:         It does not handle select, aliases, tilde expansion,
96 //config:         &>file and >&file redirection of stdout+stderr.
97 //config:
98 //config:config HUSH_BASH_COMPAT
99 //config:       bool "bash-compatible extensions"
100 //config:       default y
101 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
102 //config:       help
103 //config:         Enable bash-compatible extensions.
104 //config:
105 //config:config HUSH_BRACE_EXPANSION
106 //config:       bool "Brace expansion"
107 //config:       default y
108 //config:       depends on HUSH_BASH_COMPAT
109 //config:       help
110 //config:         Enable {abc,def} extension.
111 //config:
112 //config:config HUSH_INTERACTIVE
113 //config:       bool "Interactive mode"
114 //config:       default y
115 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
116 //config:       help
117 //config:         Enable interactive mode (prompt and command editing).
118 //config:         Without this, hush simply reads and executes commands
119 //config:         from stdin just like a shell script from a file.
120 //config:         No prompt, no PS1/PS2 magic shell variables.
121 //config:
122 //config:config HUSH_SAVEHISTORY
123 //config:       bool "Save command history to .hush_history"
124 //config:       default y
125 //config:       depends on HUSH_INTERACTIVE && FEATURE_EDITING_SAVEHISTORY
126 //config:       help
127 //config:         Enable history saving in hush.
128 //config:
129 //config:config HUSH_JOB
130 //config:       bool "Job control"
131 //config:       default y
132 //config:       depends on HUSH_INTERACTIVE
133 //config:       help
134 //config:         Enable job control: Ctrl-Z backgrounds, Ctrl-C interrupts current
135 //config:         command (not entire shell), fg/bg builtins work. Without this option,
136 //config:         "cmd &" still works by simply spawning a process and immediately
137 //config:         prompting for next command (or executing next command in a script),
138 //config:         but no separate process group is formed.
139 //config:
140 //config:config HUSH_TICK
141 //config:       bool "Process substitution"
142 //config:       default y
143 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
144 //config:       help
145 //config:         Enable process substitution `command` and $(command) in hush.
146 //config:
147 //config:config HUSH_IF
148 //config:       bool "Support if/then/elif/else/fi"
149 //config:       default y
150 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
151 //config:       help
152 //config:         Enable if/then/elif/else/fi in hush.
153 //config:
154 //config:config HUSH_LOOPS
155 //config:       bool "Support for, while and until loops"
156 //config:       default y
157 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
158 //config:       help
159 //config:         Enable for, while and until loops in hush.
160 //config:
161 //config:config HUSH_CASE
162 //config:       bool "Support case ... esac statement"
163 //config:       default y
164 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
165 //config:       help
166 //config:         Enable case ... esac statement in hush. +400 bytes.
167 //config:
168 //config:config HUSH_FUNCTIONS
169 //config:       bool "Support funcname() { commands; } syntax"
170 //config:       default y
171 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
172 //config:       help
173 //config:         Enable support for shell functions in hush. +800 bytes.
174 //config:
175 //config:config HUSH_LOCAL
176 //config:       bool "local builtin"
177 //config:       default y
178 //config:       depends on HUSH_FUNCTIONS
179 //config:       help
180 //config:         Enable support for local variables in functions.
181 //config:
182 //config:config HUSH_RANDOM_SUPPORT
183 //config:       bool "Pseudorandom generator and $RANDOM variable"
184 //config:       default y
185 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
186 //config:       help
187 //config:         Enable pseudorandom generator and dynamic variable "$RANDOM".
188 //config:         Each read of "$RANDOM" will generate a new pseudorandom value.
189 //config:
190 //config:config HUSH_MODE_X
191 //config:       bool "Support 'hush -x' option and 'set -x' command"
192 //config:       default y
193 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
194 //config:       help
195 //config:         This instructs hush to print commands before execution.
196 //config:         Adds ~300 bytes.
197 //config:
198 //config:config HUSH_EXPORT
199 //config:       bool "export builtin"
200 //config:       default y
201 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
202 //config:       help
203 //config:         Enable export builtin in hush.
204 //config:
205 //config:config HUSH_EXPORT_N
206 //config:       bool "Support 'export -n' option"
207 //config:       default y
208 //config:       depends on HUSH_EXPORT
209 //config:       help
210 //config:         export -n unexports variables. It is a bash extension.
211 //config:
212 //config:config HUSH_HELP
213 //config:       bool "help builtin"
214 //config:       default y
215 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
216 //config:       help
217 //config:         Enable help builtin in hush. Code size + ~1 kbyte.
218 //config:
219 //config:config HUSH_PRINTF
220 //config:       bool "printf builtin"
221 //config:       default y
222 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
223 //config:       help
224 //config:         Enable printf builtin in hush.
225 //config:
226 //config:config HUSH_KILL
227 //config:       bool "kill builtin (for kill %jobspec)"
228 //config:       default y
229 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
230 //config:       help
231 //config:         Enable kill builtin in hush.
232 //config:
233 //config:config HUSH_WAIT
234 //config:       bool "wait builtin"
235 //config:       default y
236 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
237 //config:       help
238 //config:         Enable wait builtin in hush.
239 //config:
240 //config:config HUSH_TRAP
241 //config:       bool "trap builtin"
242 //config:       default y
243 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
244 //config:       help
245 //config:         Enable trap builtin in hush.
246 //config:
247 //config:config HUSH_ULIMIT
248 //config:       bool "ulimit builtin"
249 //config:       default y
250 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
251 //config:       help
252 //config:         Enable ulimit builtin in hush.
253 //config:
254 //config:config HUSH_TYPE
255 //config:       bool "type builtin"
256 //config:       default y
257 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
258 //config:       help
259 //config:         Enable type builtin in hush.
260 //config:
261 //config:config HUSH_READ
262 //config:       bool "read builtin"
263 //config:       default y
264 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
265 //config:       help
266 //config:         Enable read builtin in hush.
267 //config:
268 //config:config HUSH_SET
269 //config:       bool "set builtin"
270 //config:       default y
271 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
272 //config:       help
273 //config:         Enable set builtin in hush.
274 //config:
275 //config:config HUSH_UNSET
276 //config:       bool "unset builtin"
277 //config:       default y
278 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
279 //config:       help
280 //config:         Enable unset builtin in hush.
281 //config:
282 //config:config HUSH_UMASK
283 //config:       bool "umask builtin"
284 //config:       default y
285 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
286 //config:       help
287 //config:         Enable umask builtin in hush.
288 //config:
289 //config:config HUSH_MEMLEAK
290 //config:       bool "memleak builtin (debugging)"
291 //config:       default n
292 //config:       depends on HUSH || SH_IS_HUSH || BASH_IS_HUSH
293 //config:       help
294 //config:         Enable memleak builtin in hush.
295 //config:
296 //config:config MSH
297 //config:       bool "msh (deprecated: aliased to hush)"
298 //config:       default n
299 //config:       select HUSH
300 //config:       help
301 //config:         msh is deprecated and will be removed, please migrate to hush.
302
303 //applet:IF_HUSH(APPLET(hush, BB_DIR_BIN, BB_SUID_DROP))
304 //applet:IF_MSH(APPLET_ODDNAME(msh, hush, BB_DIR_BIN, BB_SUID_DROP, hush))
305 //applet:IF_SH_IS_HUSH(APPLET_ODDNAME(sh, hush, BB_DIR_BIN, BB_SUID_DROP, hush))
306 //applet:IF_BASH_IS_HUSH(APPLET_ODDNAME(bash, hush, BB_DIR_BIN, BB_SUID_DROP, hush))
307
308 //kbuild:lib-$(CONFIG_HUSH) += hush.o match.o shell_common.o
309 //kbuild:lib-$(CONFIG_SH_IS_HUSH) += hush.o match.o shell_common.o
310 //kbuild:lib-$(CONFIG_BASH_IS_HUSH) += hush.o match.o shell_common.o
311 //kbuild:lib-$(CONFIG_HUSH_RANDOM_SUPPORT) += random.o
312
313 /* -i (interactive) and -s (read stdin) are also accepted,
314  * but currently do nothing, therefore aren't shown in help.
315  * NOMMU-specific options are not meant to be used by users,
316  * therefore we don't show them either.
317  */
318 //usage:#define hush_trivial_usage
319 //usage:        "[-nxl] [-c 'SCRIPT' [ARG0 [ARGS]] / FILE [ARGS]]"
320 //usage:#define hush_full_usage "\n\n"
321 //usage:        "Unix shell interpreter"
322
323 #if !(defined(__FreeBSD__) || defined(__OpenBSD__) || defined(__NetBSD__) \
324         || defined(__APPLE__) \
325     )
326 # include <malloc.h>   /* for malloc_trim */
327 #endif
328 #include <glob.h>
329 /* #include <dmalloc.h> */
330 #if ENABLE_HUSH_CASE
331 # include <fnmatch.h>
332 #endif
333 #include <sys/utsname.h> /* for setting $HOSTNAME */
334
335 #include "busybox.h"  /* for APPLET_IS_NOFORK/NOEXEC */
336 #include "unicode.h"
337 #include "shell_common.h"
338 #include "math.h"
339 #include "match.h"
340 #if ENABLE_HUSH_RANDOM_SUPPORT
341 # include "random.h"
342 #else
343 # define CLEAR_RANDOM_T(rnd) ((void)0)
344 #endif
345 #ifndef F_DUPFD_CLOEXEC
346 # define F_DUPFD_CLOEXEC F_DUPFD
347 #endif
348 #ifndef PIPE_BUF
349 # define PIPE_BUF 4096  /* amount of buffering in a pipe */
350 #endif
351
352
353 /* Build knobs */
354 #define LEAK_HUNTING 0
355 #define BUILD_AS_NOMMU 0
356 /* Enable/disable sanity checks. Ok to enable in production,
357  * only adds a bit of bloat. Set to >1 to get non-production level verbosity.
358  * Keeping 1 for now even in released versions.
359  */
360 #define HUSH_DEBUG 1
361 /* Slightly bigger (+200 bytes), but faster hush.
362  * So far it only enables a trick with counting SIGCHLDs and forks,
363  * which allows us to do fewer waitpid's.
364  * (we can detect a case where neither forks were done nor SIGCHLDs happened
365  * and therefore waitpid will return the same result as last time)
366  */
367 #define ENABLE_HUSH_FAST 0
368 /* TODO: implement simplified code for users which do not need ${var%...} ops
369  * So far ${var%...} ops are always enabled:
370  */
371 #define ENABLE_HUSH_DOLLAR_OPS 1
372
373
374 #if BUILD_AS_NOMMU
375 # undef BB_MMU
376 # undef USE_FOR_NOMMU
377 # undef USE_FOR_MMU
378 # define BB_MMU 0
379 # define USE_FOR_NOMMU(...) __VA_ARGS__
380 # define USE_FOR_MMU(...)
381 #endif
382
383 #include "NUM_APPLETS.h"
384 #if NUM_APPLETS == 1
385 /* STANDALONE does not make sense, and won't compile */
386 # undef CONFIG_FEATURE_SH_STANDALONE
387 # undef ENABLE_FEATURE_SH_STANDALONE
388 # undef IF_FEATURE_SH_STANDALONE
389 # undef IF_NOT_FEATURE_SH_STANDALONE
390 # define ENABLE_FEATURE_SH_STANDALONE 0
391 # define IF_FEATURE_SH_STANDALONE(...)
392 # define IF_NOT_FEATURE_SH_STANDALONE(...) __VA_ARGS__
393 #endif
394
395 #if !ENABLE_HUSH_INTERACTIVE
396 # undef ENABLE_FEATURE_EDITING
397 # define ENABLE_FEATURE_EDITING 0
398 # undef ENABLE_FEATURE_EDITING_FANCY_PROMPT
399 # define ENABLE_FEATURE_EDITING_FANCY_PROMPT 0
400 # undef ENABLE_FEATURE_EDITING_SAVE_ON_EXIT
401 # define ENABLE_FEATURE_EDITING_SAVE_ON_EXIT 0
402 #endif
403
404 /* Do we support ANY keywords? */
405 #if ENABLE_HUSH_IF || ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
406 # define HAS_KEYWORDS 1
407 # define IF_HAS_KEYWORDS(...) __VA_ARGS__
408 # define IF_HAS_NO_KEYWORDS(...)
409 #else
410 # define HAS_KEYWORDS 0
411 # define IF_HAS_KEYWORDS(...)
412 # define IF_HAS_NO_KEYWORDS(...) __VA_ARGS__
413 #endif
414
415 /* If you comment out one of these below, it will be #defined later
416  * to perform debug printfs to stderr: */
417 #define debug_printf(...)        do {} while (0)
418 /* Finer-grained debug switches */
419 #define debug_printf_parse(...)  do {} while (0)
420 #define debug_print_tree(a, b)   do {} while (0)
421 #define debug_printf_exec(...)   do {} while (0)
422 #define debug_printf_env(...)    do {} while (0)
423 #define debug_printf_jobs(...)   do {} while (0)
424 #define debug_printf_expand(...) do {} while (0)
425 #define debug_printf_varexp(...) do {} while (0)
426 #define debug_printf_glob(...)   do {} while (0)
427 #define debug_printf_list(...)   do {} while (0)
428 #define debug_printf_subst(...)  do {} while (0)
429 #define debug_printf_clean(...)  do {} while (0)
430
431 #define ERR_PTR ((void*)(long)1)
432
433 #define JOB_STATUS_FORMAT    "[%u] %-22s %.40s\n"
434
435 #define _SPECIAL_VARS_STR     "_*@$!?#"
436 #define SPECIAL_VARS_STR     ("_*@$!?#" + 1)
437 #define NUMERIC_SPECVARS_STR ("_*@$!?#" + 3)
438 #if ENABLE_HUSH_BASH_COMPAT
439 /* Support / and // replace ops */
440 /* Note that // is stored as \ in "encoded" string representation */
441 # define VAR_ENCODED_SUBST_OPS      "\\/%#:-=+?"
442 # define VAR_SUBST_OPS             ("\\/%#:-=+?" + 1)
443 # define MINUS_PLUS_EQUAL_QUESTION ("\\/%#:-=+?" + 5)
444 #else
445 # define VAR_ENCODED_SUBST_OPS      "%#:-=+?"
446 # define VAR_SUBST_OPS              "%#:-=+?"
447 # define MINUS_PLUS_EQUAL_QUESTION ("%#:-=+?" + 3)
448 #endif
449
450 #define SPECIAL_VAR_SYMBOL   3
451
452 struct variable;
453
454 static const char hush_version_str[] ALIGN1 = "HUSH_VERSION="BB_VER;
455
456 /* This supports saving pointers malloced in vfork child,
457  * to be freed in the parent.
458  */
459 #if !BB_MMU
460 typedef struct nommu_save_t {
461         char **new_env;
462         struct variable *old_vars;
463         char **argv;
464         char **argv_from_re_execing;
465 } nommu_save_t;
466 #endif
467
468 enum {
469         RES_NONE  = 0,
470 #if ENABLE_HUSH_IF
471         RES_IF    ,
472         RES_THEN  ,
473         RES_ELIF  ,
474         RES_ELSE  ,
475         RES_FI    ,
476 #endif
477 #if ENABLE_HUSH_LOOPS
478         RES_FOR   ,
479         RES_WHILE ,
480         RES_UNTIL ,
481         RES_DO    ,
482         RES_DONE  ,
483 #endif
484 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
485         RES_IN    ,
486 #endif
487 #if ENABLE_HUSH_CASE
488         RES_CASE  ,
489         /* three pseudo-keywords support contrived "case" syntax: */
490         RES_CASE_IN,   /* "case ... IN", turns into RES_MATCH when IN is observed */
491         RES_MATCH ,    /* "word)" */
492         RES_CASE_BODY, /* "this command is inside CASE" */
493         RES_ESAC  ,
494 #endif
495         RES_XXXX  ,
496         RES_SNTX
497 };
498
499 typedef struct o_string {
500         char *data;
501         int length; /* position where data is appended */
502         int maxlen;
503         int o_expflags;
504         /* At least some part of the string was inside '' or "",
505          * possibly empty one: word"", wo''rd etc. */
506         smallint has_quoted_part;
507         smallint has_empty_slot;
508         smallint o_assignment; /* 0:maybe, 1:yes, 2:no */
509 } o_string;
510 enum {
511         EXP_FLAG_SINGLEWORD     = 0x80, /* must be 0x80 */
512         EXP_FLAG_GLOB           = 0x2,
513         /* Protect newly added chars against globbing
514          * by prepending \ to *, ?, [, \ */
515         EXP_FLAG_ESC_GLOB_CHARS = 0x1,
516 };
517 enum {
518         MAYBE_ASSIGNMENT      = 0,
519         DEFINITELY_ASSIGNMENT = 1,
520         NOT_ASSIGNMENT        = 2,
521         /* Not an assignment, but next word may be: "if v=xyz cmd;" */
522         WORD_IS_KEYWORD       = 3,
523 };
524 /* Used for initialization: o_string foo = NULL_O_STRING; */
525 #define NULL_O_STRING { NULL }
526
527 #ifndef debug_printf_parse
528 static const char *const assignment_flag[] = {
529         "MAYBE_ASSIGNMENT",
530         "DEFINITELY_ASSIGNMENT",
531         "NOT_ASSIGNMENT",
532         "WORD_IS_KEYWORD",
533 };
534 #endif
535
536 typedef struct in_str {
537         const char *p;
538 #if ENABLE_HUSH_INTERACTIVE
539         smallint promptmode; /* 0: PS1, 1: PS2 */
540 #endif
541         int peek_buf[2];
542         int last_char;
543         FILE *file;
544 } in_str;
545
546 /* The descrip member of this structure is only used to make
547  * debugging output pretty */
548 static const struct {
549         int mode;
550         signed char default_fd;
551         char descrip[3];
552 } redir_table[] = {
553         { O_RDONLY,                  0, "<"  },
554         { O_CREAT|O_TRUNC|O_WRONLY,  1, ">"  },
555         { O_CREAT|O_APPEND|O_WRONLY, 1, ">>" },
556         { O_CREAT|O_RDWR,            1, "<>" },
557         { O_RDONLY,                  0, "<<" },
558 /* Should not be needed. Bogus default_fd helps in debugging */
559 /*      { O_RDONLY,                 77, "<<" }, */
560 };
561
562 struct redir_struct {
563         struct redir_struct *next;
564         char *rd_filename;          /* filename */
565         int rd_fd;                  /* fd to redirect */
566         /* fd to redirect to, or -3 if rd_fd is to be closed (n>&-) */
567         int rd_dup;
568         smallint rd_type;           /* (enum redir_type) */
569         /* note: for heredocs, rd_filename contains heredoc delimiter,
570          * and subsequently heredoc itself; and rd_dup is a bitmask:
571          * bit 0: do we need to trim leading tabs?
572          * bit 1: is heredoc quoted (<<'delim' syntax) ?
573          */
574 };
575 typedef enum redir_type {
576         REDIRECT_INPUT     = 0,
577         REDIRECT_OVERWRITE = 1,
578         REDIRECT_APPEND    = 2,
579         REDIRECT_IO        = 3,
580         REDIRECT_HEREDOC   = 4,
581         REDIRECT_HEREDOC2  = 5, /* REDIRECT_HEREDOC after heredoc is loaded */
582
583         REDIRFD_CLOSE      = -3,
584         REDIRFD_SYNTAX_ERR = -2,
585         REDIRFD_TO_FILE    = -1,
586         /* otherwise, rd_fd is redirected to rd_dup */
587
588         HEREDOC_SKIPTABS = 1,
589         HEREDOC_QUOTED   = 2,
590 } redir_type;
591
592
593 struct command {
594         pid_t pid;                  /* 0 if exited */
595         int assignment_cnt;         /* how many argv[i] are assignments? */
596         smallint cmd_type;          /* CMD_xxx */
597 #define CMD_NORMAL   0
598 #define CMD_SUBSHELL 1
599 #if ENABLE_HUSH_BASH_COMPAT
600 /* used for "[[ EXPR ]]" */
601 # define CMD_SINGLEWORD_NOGLOB 2
602 #endif
603 #if ENABLE_HUSH_FUNCTIONS
604 # define CMD_FUNCDEF 3
605 #endif
606
607         smalluint cmd_exitcode;
608         /* if non-NULL, this "command" is { list }, ( list ), or a compound statement */
609         struct pipe *group;
610 #if !BB_MMU
611         char *group_as_string;
612 #endif
613 #if ENABLE_HUSH_FUNCTIONS
614         struct function *child_func;
615 /* This field is used to prevent a bug here:
616  * while...do f1() {a;}; f1; f1() {b;}; f1; done
617  * When we execute "f1() {a;}" cmd, we create new function and clear
618  * cmd->group, cmd->group_as_string, cmd->argv[0].
619  * When we execute "f1() {b;}", we notice that f1 exists,
620  * and that its "parent cmd" struct is still "alive",
621  * we put those fields back into cmd->xxx
622  * (struct function has ->parent_cmd ptr to facilitate that).
623  * When we loop back, we can execute "f1() {a;}" again and set f1 correctly.
624  * Without this trick, loop would execute a;b;b;b;...
625  * instead of correct sequence a;b;a;b;...
626  * When command is freed, it severs the link
627  * (sets ->child_func->parent_cmd to NULL).
628  */
629 #endif
630         char **argv;                /* command name and arguments */
631 /* argv vector may contain variable references (^Cvar^C, ^C0^C etc)
632  * and on execution these are substituted with their values.
633  * Substitution can make _several_ words out of one argv[n]!
634  * Example: argv[0]=='.^C*^C.' here: echo .$*.
635  * References of the form ^C`cmd arg^C are `cmd arg` substitutions.
636  */
637         struct redir_struct *redirects; /* I/O redirections */
638 };
639 /* Is there anything in this command at all? */
640 #define IS_NULL_CMD(cmd) \
641         (!(cmd)->group && !(cmd)->argv && !(cmd)->redirects)
642
643 struct pipe {
644         struct pipe *next;
645         int num_cmds;               /* total number of commands in pipe */
646         int alive_cmds;             /* number of commands running (not exited) */
647         int stopped_cmds;           /* number of commands alive, but stopped */
648 #if ENABLE_HUSH_JOB
649         unsigned jobid;             /* job number */
650         pid_t pgrp;                 /* process group ID for the job */
651         char *cmdtext;              /* name of job */
652 #endif
653         struct command *cmds;       /* array of commands in pipe */
654         smallint followup;          /* PIPE_BG, PIPE_SEQ, PIPE_OR, PIPE_AND */
655         IF_HAS_KEYWORDS(smallint pi_inverted;) /* "! cmd | cmd" */
656         IF_HAS_KEYWORDS(smallint res_word;) /* needed for if, for, while, until... */
657 };
658 typedef enum pipe_style {
659         PIPE_SEQ = 0,
660         PIPE_AND = 1,
661         PIPE_OR  = 2,
662         PIPE_BG  = 3,
663 } pipe_style;
664 /* Is there anything in this pipe at all? */
665 #define IS_NULL_PIPE(pi) \
666         ((pi)->num_cmds == 0 IF_HAS_KEYWORDS( && (pi)->res_word == RES_NONE))
667
668 /* This holds pointers to the various results of parsing */
669 struct parse_context {
670         /* linked list of pipes */
671         struct pipe *list_head;
672         /* last pipe (being constructed right now) */
673         struct pipe *pipe;
674         /* last command in pipe (being constructed right now) */
675         struct command *command;
676         /* last redirect in command->redirects list */
677         struct redir_struct *pending_redirect;
678 #if !BB_MMU
679         o_string as_string;
680 #endif
681 #if HAS_KEYWORDS
682         smallint ctx_res_w;
683         smallint ctx_inverted; /* "! cmd | cmd" */
684 #if ENABLE_HUSH_CASE
685         smallint ctx_dsemicolon; /* ";;" seen */
686 #endif
687         /* bitmask of FLAG_xxx, for figuring out valid reserved words */
688         int old_flag;
689         /* group we are enclosed in:
690          * example: "if pipe1; pipe2; then pipe3; fi"
691          * when we see "if" or "then", we malloc and copy current context,
692          * and make ->stack point to it. then we parse pipeN.
693          * when closing "then" / fi" / whatever is found,
694          * we move list_head into ->stack->command->group,
695          * copy ->stack into current context, and delete ->stack.
696          * (parsing of { list } and ( list ) doesn't use this method)
697          */
698         struct parse_context *stack;
699 #endif
700 };
701
702 /* On program start, environ points to initial environment.
703  * putenv adds new pointers into it, unsetenv removes them.
704  * Neither of these (de)allocates the strings.
705  * setenv allocates new strings in malloc space and does putenv,
706  * and thus setenv is unusable (leaky) for shell's purposes */
707 #define setenv(...) setenv_is_leaky_dont_use()
708 struct variable {
709         struct variable *next;
710         char *varstr;        /* points to "name=" portion */
711 #if ENABLE_HUSH_LOCAL
712         unsigned func_nest_level;
713 #endif
714         int max_len;         /* if > 0, name is part of initial env; else name is malloced */
715         smallint flg_export; /* putenv should be done on this var */
716         smallint flg_read_only;
717 };
718
719 enum {
720         BC_BREAK = 1,
721         BC_CONTINUE = 2,
722 };
723
724 #if ENABLE_HUSH_FUNCTIONS
725 struct function {
726         struct function *next;
727         char *name;
728         struct command *parent_cmd;
729         struct pipe *body;
730 # if !BB_MMU
731         char *body_as_string;
732 # endif
733 };
734 #endif
735
736
737 /* set -/+o OPT support. (TODO: make it optional)
738  * bash supports the following opts:
739  * allexport       off
740  * braceexpand     on
741  * emacs           on
742  * errexit         off
743  * errtrace        off
744  * functrace       off
745  * hashall         on
746  * histexpand      off
747  * history         on
748  * ignoreeof       off
749  * interactive-comments    on
750  * keyword         off
751  * monitor         on
752  * noclobber       off
753  * noexec          off
754  * noglob          off
755  * nolog           off
756  * notify          off
757  * nounset         off
758  * onecmd          off
759  * physical        off
760  * pipefail        off
761  * posix           off
762  * privileged      off
763  * verbose         off
764  * vi              off
765  * xtrace          off
766  */
767 static const char o_opt_strings[] ALIGN1 =
768         "pipefail\0"
769         "noexec\0"
770 #if ENABLE_HUSH_MODE_X
771         "xtrace\0"
772 #endif
773         ;
774 enum {
775         OPT_O_PIPEFAIL,
776         OPT_O_NOEXEC,
777 #if ENABLE_HUSH_MODE_X
778         OPT_O_XTRACE,
779 #endif
780         NUM_OPT_O
781 };
782
783
784 struct FILE_list {
785         struct FILE_list *next;
786         FILE *fp;
787         int fd;
788 };
789
790
791 /* "Globals" within this file */
792 /* Sorted roughly by size (smaller offsets == smaller code) */
793 struct globals {
794         /* interactive_fd != 0 means we are an interactive shell.
795          * If we are, then saved_tty_pgrp can also be != 0, meaning
796          * that controlling tty is available. With saved_tty_pgrp == 0,
797          * job control still works, but terminal signals
798          * (^C, ^Z, ^Y, ^\) won't work at all, and background
799          * process groups can only be created with "cmd &".
800          * With saved_tty_pgrp != 0, hush will use tcsetpgrp()
801          * to give tty to the foreground process group,
802          * and will take it back when the group is stopped (^Z)
803          * or killed (^C).
804          */
805 #if ENABLE_HUSH_INTERACTIVE
806         /* 'interactive_fd' is a fd# open to ctty, if we have one
807          * _AND_ if we decided to act interactively */
808         int interactive_fd;
809         const char *PS1;
810         const char *PS2;
811 # define G_interactive_fd (G.interactive_fd)
812 #else
813 # define G_interactive_fd 0
814 #endif
815 #if ENABLE_FEATURE_EDITING
816         line_input_t *line_input_state;
817 #endif
818         pid_t root_pid;
819         pid_t root_ppid;
820         pid_t last_bg_pid;
821 #if ENABLE_HUSH_RANDOM_SUPPORT
822         random_t random_gen;
823 #endif
824 #if ENABLE_HUSH_JOB
825         int run_list_level;
826         unsigned last_jobid;
827         pid_t saved_tty_pgrp;
828         struct pipe *job_list;
829 # define G_saved_tty_pgrp (G.saved_tty_pgrp)
830 #else
831 # define G_saved_tty_pgrp 0
832 #endif
833         char o_opt[NUM_OPT_O];
834 #if ENABLE_HUSH_MODE_X
835 # define G_x_mode (G.o_opt[OPT_O_XTRACE])
836 #else
837 # define G_x_mode 0
838 #endif
839         smallint flag_SIGINT;
840 #if ENABLE_HUSH_LOOPS
841         smallint flag_break_continue;
842 #endif
843 #if ENABLE_HUSH_FUNCTIONS
844         /* 0: outside of a function (or sourced file)
845          * -1: inside of a function, ok to use return builtin
846          * 1: return is invoked, skip all till end of func
847          */
848         smallint flag_return_in_progress;
849 # define G_flag_return_in_progress (G.flag_return_in_progress)
850 #else
851 # define G_flag_return_in_progress 0
852 #endif
853         smallint exiting; /* used to prevent EXIT trap recursion */
854         /* These four support $?, $#, and $1 */
855         smalluint last_exitcode;
856         /* are global_argv and global_argv[1..n] malloced? (note: not [0]) */
857         smalluint global_args_malloced;
858         /* how many non-NULL argv's we have. NB: $# + 1 */
859         int global_argc;
860         char **global_argv;
861 #if !BB_MMU
862         char *argv0_for_re_execing;
863 #endif
864 #if ENABLE_HUSH_LOOPS
865         unsigned depth_break_continue;
866         unsigned depth_of_loop;
867 #endif
868         const char *ifs;
869         const char *cwd;
870         struct variable *top_var;
871         char **expanded_assignments;
872 #if ENABLE_HUSH_FUNCTIONS
873         struct function *top_func;
874 # if ENABLE_HUSH_LOCAL
875         struct variable **shadowed_vars_pp;
876         unsigned func_nest_level;
877 # endif
878 #endif
879         /* Signal and trap handling */
880 #if ENABLE_HUSH_FAST
881         unsigned count_SIGCHLD;
882         unsigned handled_SIGCHLD;
883         smallint we_have_children;
884 #endif
885         struct FILE_list *FILE_list;
886         /* Which signals have non-DFL handler (even with no traps set)?
887          * Set at the start to:
888          * (SIGQUIT + maybe SPECIAL_INTERACTIVE_SIGS + maybe SPECIAL_JOBSTOP_SIGS)
889          * SPECIAL_INTERACTIVE_SIGS are cleared after fork.
890          * The rest is cleared right before execv syscalls.
891          * Other than these two times, never modified.
892          */
893         unsigned special_sig_mask;
894 #if ENABLE_HUSH_JOB
895         unsigned fatal_sig_mask;
896 # define G_fatal_sig_mask G.fatal_sig_mask
897 #else
898 # define G_fatal_sig_mask 0
899 #endif
900 #if ENABLE_HUSH_TRAP
901         char **traps; /* char *traps[NSIG] */
902 # define G_traps G.traps
903 #else
904 # define G_traps ((char**)NULL)
905 #endif
906         sigset_t pending_set;
907 #if ENABLE_HUSH_MEMLEAK
908         unsigned long memleak_value;
909 #endif
910 #if HUSH_DEBUG
911         int debug_indent;
912 #endif
913         struct sigaction sa;
914 #if ENABLE_FEATURE_EDITING
915         char user_input_buf[CONFIG_FEATURE_EDITING_MAX_LEN];
916 #endif
917 };
918 #define G (*ptr_to_globals)
919 /* Not #defining name to G.name - this quickly gets unwieldy
920  * (too many defines). Also, I actually prefer to see when a variable
921  * is global, thus "G." prefix is a useful hint */
922 #define INIT_G() do { \
923         SET_PTR_TO_GLOBALS(xzalloc(sizeof(G))); \
924         /* memset(&G.sa, 0, sizeof(G.sa)); */  \
925         sigfillset(&G.sa.sa_mask); \
926         G.sa.sa_flags = SA_RESTART; \
927 } while (0)
928
929
930 /* Function prototypes for builtins */
931 static int builtin_cd(char **argv) FAST_FUNC;
932 static int builtin_echo(char **argv) FAST_FUNC;
933 static int builtin_eval(char **argv) FAST_FUNC;
934 static int builtin_exec(char **argv) FAST_FUNC;
935 static int builtin_exit(char **argv) FAST_FUNC;
936 #if ENABLE_HUSH_EXPORT
937 static int builtin_export(char **argv) FAST_FUNC;
938 #endif
939 #if ENABLE_HUSH_JOB
940 static int builtin_fg_bg(char **argv) FAST_FUNC;
941 static int builtin_jobs(char **argv) FAST_FUNC;
942 #endif
943 #if ENABLE_HUSH_HELP
944 static int builtin_help(char **argv) FAST_FUNC;
945 #endif
946 #if MAX_HISTORY && ENABLE_FEATURE_EDITING
947 static int builtin_history(char **argv) FAST_FUNC;
948 #endif
949 #if ENABLE_HUSH_LOCAL
950 static int builtin_local(char **argv) FAST_FUNC;
951 #endif
952 #if ENABLE_HUSH_MEMLEAK
953 static int builtin_memleak(char **argv) FAST_FUNC;
954 #endif
955 #if ENABLE_HUSH_PRINTF
956 static int builtin_printf(char **argv) FAST_FUNC;
957 #endif
958 static int builtin_pwd(char **argv) FAST_FUNC;
959 #if ENABLE_HUSH_READ
960 static int builtin_read(char **argv) FAST_FUNC;
961 #endif
962 #if ENABLE_HUSH_SET
963 static int builtin_set(char **argv) FAST_FUNC;
964 #endif
965 static int builtin_shift(char **argv) FAST_FUNC;
966 static int builtin_source(char **argv) FAST_FUNC;
967 static int builtin_test(char **argv) FAST_FUNC;
968 #if ENABLE_HUSH_TRAP
969 static int builtin_trap(char **argv) FAST_FUNC;
970 #endif
971 #if ENABLE_HUSH_TYPE
972 static int builtin_type(char **argv) FAST_FUNC;
973 #endif
974 static int builtin_true(char **argv) FAST_FUNC;
975 #if ENABLE_HUSH_UMASK
976 static int builtin_umask(char **argv) FAST_FUNC;
977 #endif
978 #if ENABLE_HUSH_UNSET
979 static int builtin_unset(char **argv) FAST_FUNC;
980 #endif
981 #if ENABLE_HUSH_KILL
982 static int builtin_kill(char **argv) FAST_FUNC;
983 #endif
984 #if ENABLE_HUSH_WAIT
985 static int builtin_wait(char **argv) FAST_FUNC;
986 #endif
987 #if ENABLE_HUSH_LOOPS
988 static int builtin_break(char **argv) FAST_FUNC;
989 static int builtin_continue(char **argv) FAST_FUNC;
990 #endif
991 #if ENABLE_HUSH_FUNCTIONS
992 static int builtin_return(char **argv) FAST_FUNC;
993 #endif
994
995 /* Table of built-in functions.  They can be forked or not, depending on
996  * context: within pipes, they fork.  As simple commands, they do not.
997  * When used in non-forking context, they can change global variables
998  * in the parent shell process.  If forked, of course they cannot.
999  * For example, 'unset foo | whatever' will parse and run, but foo will
1000  * still be set at the end. */
1001 struct built_in_command {
1002         const char *b_cmd;
1003         int (*b_function)(char **argv) FAST_FUNC;
1004 #if ENABLE_HUSH_HELP
1005         const char *b_descr;
1006 # define BLTIN(cmd, func, help) { cmd, func, help }
1007 #else
1008 # define BLTIN(cmd, func, help) { cmd, func }
1009 #endif
1010 };
1011
1012 static const struct built_in_command bltins1[] = {
1013         BLTIN("."        , builtin_source  , "Run commands in a file"),
1014         BLTIN(":"        , builtin_true    , NULL),
1015 #if ENABLE_HUSH_JOB
1016         BLTIN("bg"       , builtin_fg_bg   , "Resume a job in the background"),
1017 #endif
1018 #if ENABLE_HUSH_LOOPS
1019         BLTIN("break"    , builtin_break   , "Exit from a loop"),
1020 #endif
1021         BLTIN("cd"       , builtin_cd      , "Change directory"),
1022 #if ENABLE_HUSH_LOOPS
1023         BLTIN("continue" , builtin_continue, "Start new loop iteration"),
1024 #endif
1025         BLTIN("eval"     , builtin_eval    , "Construct and run shell command"),
1026         BLTIN("exec"     , builtin_exec    , "Execute command, don't return to shell"),
1027         BLTIN("exit"     , builtin_exit    , "Exit"),
1028 #if ENABLE_HUSH_EXPORT
1029         BLTIN("export"   , builtin_export  , "Set environment variables"),
1030 #endif
1031 #if ENABLE_HUSH_JOB
1032         BLTIN("fg"       , builtin_fg_bg   , "Bring job into the foreground"),
1033 #endif
1034 #if ENABLE_HUSH_HELP
1035         BLTIN("help"     , builtin_help    , NULL),
1036 #endif
1037 #if MAX_HISTORY && ENABLE_FEATURE_EDITING
1038         BLTIN("history"  , builtin_history , "Show command history"),
1039 #endif
1040 #if ENABLE_HUSH_JOB
1041         BLTIN("jobs"     , builtin_jobs    , "List jobs"),
1042 #endif
1043 #if ENABLE_HUSH_KILL
1044         BLTIN("kill"     , builtin_kill    , "Send signals to processes"),
1045 #endif
1046 #if ENABLE_HUSH_LOCAL
1047         BLTIN("local"    , builtin_local   , "Set local variables"),
1048 #endif
1049 #if ENABLE_HUSH_MEMLEAK
1050         BLTIN("memleak"  , builtin_memleak , NULL),
1051 #endif
1052 #if ENABLE_HUSH_READ
1053         BLTIN("read"     , builtin_read    , "Input into variable"),
1054 #endif
1055 #if ENABLE_HUSH_FUNCTIONS
1056         BLTIN("return"   , builtin_return  , "Return from a function"),
1057 #endif
1058 #if ENABLE_HUSH_SET
1059         BLTIN("set"      , builtin_set     , "Set/unset positional parameters"),
1060 #endif
1061         BLTIN("shift"    , builtin_shift   , "Shift positional parameters"),
1062 #if ENABLE_HUSH_BASH_COMPAT
1063         BLTIN("source"   , builtin_source  , "Run commands in a file"),
1064 #endif
1065 #if ENABLE_HUSH_TRAP
1066         BLTIN("trap"     , builtin_trap    , "Trap signals"),
1067 #endif
1068         BLTIN("true"     , builtin_true    , NULL),
1069 #if ENABLE_HUSH_TYPE
1070         BLTIN("type"     , builtin_type    , "Show command type"),
1071 #endif
1072 #if ENABLE_HUSH_ULIMIT
1073         BLTIN("ulimit"   , shell_builtin_ulimit, "Control resource limits"),
1074 #endif
1075 #if ENABLE_HUSH_UMASK
1076         BLTIN("umask"    , builtin_umask   , "Set file creation mask"),
1077 #endif
1078 #if ENABLE_HUSH_UNSET
1079         BLTIN("unset"    , builtin_unset   , "Unset variables"),
1080 #endif
1081 #if ENABLE_HUSH_WAIT
1082         BLTIN("wait"     , builtin_wait    , "Wait for process"),
1083 #endif
1084 };
1085 /* For now, echo and test are unconditionally enabled.
1086  * Maybe make it configurable? */
1087 static const struct built_in_command bltins2[] = {
1088         BLTIN("["        , builtin_test    , NULL),
1089         BLTIN("echo"     , builtin_echo    , NULL),
1090 #if ENABLE_HUSH_PRINTF
1091         BLTIN("printf"   , builtin_printf  , NULL),
1092 #endif
1093         BLTIN("pwd"      , builtin_pwd     , NULL),
1094         BLTIN("test"     , builtin_test    , NULL),
1095 };
1096
1097
1098 /* Debug printouts.
1099  */
1100 #if HUSH_DEBUG
1101 /* prevent disasters with G.debug_indent < 0 */
1102 # define indent() fdprintf(2, "%*s", (G.debug_indent * 2) & 0xff, "")
1103 # define debug_enter() (G.debug_indent++)
1104 # define debug_leave() (G.debug_indent--)
1105 #else
1106 # define indent()      ((void)0)
1107 # define debug_enter() ((void)0)
1108 # define debug_leave() ((void)0)
1109 #endif
1110
1111 #ifndef debug_printf
1112 # define debug_printf(...) (indent(), fdprintf(2, __VA_ARGS__))
1113 #endif
1114
1115 #ifndef debug_printf_parse
1116 # define debug_printf_parse(...) (indent(), fdprintf(2, __VA_ARGS__))
1117 #endif
1118
1119 #ifndef debug_printf_exec
1120 #define debug_printf_exec(...) (indent(), fdprintf(2, __VA_ARGS__))
1121 #endif
1122
1123 #ifndef debug_printf_env
1124 # define debug_printf_env(...) (indent(), fdprintf(2, __VA_ARGS__))
1125 #endif
1126
1127 #ifndef debug_printf_jobs
1128 # define debug_printf_jobs(...) (indent(), fdprintf(2, __VA_ARGS__))
1129 # define DEBUG_JOBS 1
1130 #else
1131 # define DEBUG_JOBS 0
1132 #endif
1133
1134 #ifndef debug_printf_expand
1135 # define debug_printf_expand(...) (indent(), fdprintf(2, __VA_ARGS__))
1136 # define DEBUG_EXPAND 1
1137 #else
1138 # define DEBUG_EXPAND 0
1139 #endif
1140
1141 #ifndef debug_printf_varexp
1142 # define debug_printf_varexp(...) (indent(), fdprintf(2, __VA_ARGS__))
1143 #endif
1144
1145 #ifndef debug_printf_glob
1146 # define debug_printf_glob(...) (indent(), fdprintf(2, __VA_ARGS__))
1147 # define DEBUG_GLOB 1
1148 #else
1149 # define DEBUG_GLOB 0
1150 #endif
1151
1152 #ifndef debug_printf_list
1153 # define debug_printf_list(...) (indent(), fdprintf(2, __VA_ARGS__))
1154 #endif
1155
1156 #ifndef debug_printf_subst
1157 # define debug_printf_subst(...) (indent(), fdprintf(2, __VA_ARGS__))
1158 #endif
1159
1160 #ifndef debug_printf_clean
1161 # define debug_printf_clean(...) (indent(), fdprintf(2, __VA_ARGS__))
1162 # define DEBUG_CLEAN 1
1163 #else
1164 # define DEBUG_CLEAN 0
1165 #endif
1166
1167 #if DEBUG_EXPAND
1168 static void debug_print_strings(const char *prefix, char **vv)
1169 {
1170         indent();
1171         fdprintf(2, "%s:\n", prefix);
1172         while (*vv)
1173                 fdprintf(2, " '%s'\n", *vv++);
1174 }
1175 #else
1176 # define debug_print_strings(prefix, vv) ((void)0)
1177 #endif
1178
1179
1180 /* Leak hunting. Use hush_leaktool.sh for post-processing.
1181  */
1182 #if LEAK_HUNTING
1183 static void *xxmalloc(int lineno, size_t size)
1184 {
1185         void *ptr = xmalloc((size + 0xff) & ~0xff);
1186         fdprintf(2, "line %d: malloc %p\n", lineno, ptr);
1187         return ptr;
1188 }
1189 static void *xxrealloc(int lineno, void *ptr, size_t size)
1190 {
1191         ptr = xrealloc(ptr, (size + 0xff) & ~0xff);
1192         fdprintf(2, "line %d: realloc %p\n", lineno, ptr);
1193         return ptr;
1194 }
1195 static char *xxstrdup(int lineno, const char *str)
1196 {
1197         char *ptr = xstrdup(str);
1198         fdprintf(2, "line %d: strdup %p\n", lineno, ptr);
1199         return ptr;
1200 }
1201 static void xxfree(void *ptr)
1202 {
1203         fdprintf(2, "free %p\n", ptr);
1204         free(ptr);
1205 }
1206 # define xmalloc(s)     xxmalloc(__LINE__, s)
1207 # define xrealloc(p, s) xxrealloc(__LINE__, p, s)
1208 # define xstrdup(s)     xxstrdup(__LINE__, s)
1209 # define free(p)        xxfree(p)
1210 #endif
1211
1212
1213 /* Syntax and runtime errors. They always abort scripts.
1214  * In interactive use they usually discard unparsed and/or unexecuted commands
1215  * and return to the prompt.
1216  * HUSH_DEBUG >= 2 prints line number in this file where it was detected.
1217  */
1218 #if HUSH_DEBUG < 2
1219 # define die_if_script(lineno, ...)             die_if_script(__VA_ARGS__)
1220 # define syntax_error(lineno, msg)              syntax_error(msg)
1221 # define syntax_error_at(lineno, msg)           syntax_error_at(msg)
1222 # define syntax_error_unterm_ch(lineno, ch)     syntax_error_unterm_ch(ch)
1223 # define syntax_error_unterm_str(lineno, s)     syntax_error_unterm_str(s)
1224 # define syntax_error_unexpected_ch(lineno, ch) syntax_error_unexpected_ch(ch)
1225 #endif
1226
1227 static void die_if_script(unsigned lineno, const char *fmt, ...)
1228 {
1229         va_list p;
1230
1231 #if HUSH_DEBUG >= 2
1232         bb_error_msg("hush.c:%u", lineno);
1233 #endif
1234         va_start(p, fmt);
1235         bb_verror_msg(fmt, p, NULL);
1236         va_end(p);
1237         if (!G_interactive_fd)
1238                 xfunc_die();
1239 }
1240
1241 static void syntax_error(unsigned lineno UNUSED_PARAM, const char *msg)
1242 {
1243         if (msg)
1244                 bb_error_msg("syntax error: %s", msg);
1245         else
1246                 bb_error_msg("syntax error");
1247 }
1248
1249 static void syntax_error_at(unsigned lineno UNUSED_PARAM, const char *msg)
1250 {
1251         bb_error_msg("syntax error at '%s'", msg);
1252 }
1253
1254 static void syntax_error_unterm_str(unsigned lineno UNUSED_PARAM, const char *s)
1255 {
1256         bb_error_msg("syntax error: unterminated %s", s);
1257 }
1258
1259 static void syntax_error_unterm_ch(unsigned lineno, char ch)
1260 {
1261         char msg[2] = { ch, '\0' };
1262         syntax_error_unterm_str(lineno, msg);
1263 }
1264
1265 static void syntax_error_unexpected_ch(unsigned lineno UNUSED_PARAM, int ch)
1266 {
1267         char msg[2];
1268         msg[0] = ch;
1269         msg[1] = '\0';
1270 #if HUSH_DEBUG >= 2
1271         bb_error_msg("hush.c:%u", lineno);
1272 #endif
1273         bb_error_msg("syntax error: unexpected %s", ch == EOF ? "EOF" : msg);
1274 }
1275
1276 #if HUSH_DEBUG < 2
1277 # undef die_if_script
1278 # undef syntax_error
1279 # undef syntax_error_at
1280 # undef syntax_error_unterm_ch
1281 # undef syntax_error_unterm_str
1282 # undef syntax_error_unexpected_ch
1283 #else
1284 # define die_if_script(...)             die_if_script(__LINE__, __VA_ARGS__)
1285 # define syntax_error(msg)              syntax_error(__LINE__, msg)
1286 # define syntax_error_at(msg)           syntax_error_at(__LINE__, msg)
1287 # define syntax_error_unterm_ch(ch)     syntax_error_unterm_ch(__LINE__, ch)
1288 # define syntax_error_unterm_str(s)     syntax_error_unterm_str(__LINE__, s)
1289 # define syntax_error_unexpected_ch(ch) syntax_error_unexpected_ch(__LINE__, ch)
1290 #endif
1291
1292
1293 #if ENABLE_HUSH_INTERACTIVE
1294 static void cmdedit_update_prompt(void);
1295 #else
1296 # define cmdedit_update_prompt() ((void)0)
1297 #endif
1298
1299
1300 /* Utility functions
1301  */
1302 /* Replace each \x with x in place, return ptr past NUL. */
1303 static char *unbackslash(char *src)
1304 {
1305         char *dst = src = strchrnul(src, '\\');
1306         while (1) {
1307                 if (*src == '\\')
1308                         src++;
1309                 if ((*dst++ = *src++) == '\0')
1310                         break;
1311         }
1312         return dst;
1313 }
1314
1315 static char **add_strings_to_strings(char **strings, char **add, int need_to_dup)
1316 {
1317         int i;
1318         unsigned count1;
1319         unsigned count2;
1320         char **v;
1321
1322         v = strings;
1323         count1 = 0;
1324         if (v) {
1325                 while (*v) {
1326                         count1++;
1327                         v++;
1328                 }
1329         }
1330         count2 = 0;
1331         v = add;
1332         while (*v) {
1333                 count2++;
1334                 v++;
1335         }
1336         v = xrealloc(strings, (count1 + count2 + 1) * sizeof(char*));
1337         v[count1 + count2] = NULL;
1338         i = count2;
1339         while (--i >= 0)
1340                 v[count1 + i] = (need_to_dup ? xstrdup(add[i]) : add[i]);
1341         return v;
1342 }
1343 #if LEAK_HUNTING
1344 static char **xx_add_strings_to_strings(int lineno, char **strings, char **add, int need_to_dup)
1345 {
1346         char **ptr = add_strings_to_strings(strings, add, need_to_dup);
1347         fdprintf(2, "line %d: add_strings_to_strings %p\n", lineno, ptr);
1348         return ptr;
1349 }
1350 #define add_strings_to_strings(strings, add, need_to_dup) \
1351         xx_add_strings_to_strings(__LINE__, strings, add, need_to_dup)
1352 #endif
1353
1354 /* Note: takes ownership of "add" ptr (it is not strdup'ed) */
1355 static char **add_string_to_strings(char **strings, char *add)
1356 {
1357         char *v[2];
1358         v[0] = add;
1359         v[1] = NULL;
1360         return add_strings_to_strings(strings, v, /*dup:*/ 0);
1361 }
1362 #if LEAK_HUNTING
1363 static char **xx_add_string_to_strings(int lineno, char **strings, char *add)
1364 {
1365         char **ptr = add_string_to_strings(strings, add);
1366         fdprintf(2, "line %d: add_string_to_strings %p\n", lineno, ptr);
1367         return ptr;
1368 }
1369 #define add_string_to_strings(strings, add) \
1370         xx_add_string_to_strings(__LINE__, strings, add)
1371 #endif
1372
1373 static void free_strings(char **strings)
1374 {
1375         char **v;
1376
1377         if (!strings)
1378                 return;
1379         v = strings;
1380         while (*v) {
1381                 free(*v);
1382                 v++;
1383         }
1384         free(strings);
1385 }
1386
1387
1388 static int xdup_and_close(int fd, int F_DUPFD_maybe_CLOEXEC)
1389 {
1390         /* We avoid taking stdio fds. Mimicking ash: use fds above 9 */
1391         int newfd = fcntl(fd, F_DUPFD_maybe_CLOEXEC, 10);
1392         if (newfd < 0) {
1393                 /* fd was not open? */
1394                 if (errno == EBADF)
1395                         return fd;
1396                 xfunc_die();
1397         }
1398         close(fd);
1399         return newfd;
1400 }
1401
1402
1403 /* Manipulating the list of open FILEs */
1404 static FILE *remember_FILE(FILE *fp)
1405 {
1406         if (fp) {
1407                 struct FILE_list *n = xmalloc(sizeof(*n));
1408                 n->next = G.FILE_list;
1409                 G.FILE_list = n;
1410                 n->fp = fp;
1411                 n->fd = fileno(fp);
1412                 close_on_exec_on(n->fd);
1413         }
1414         return fp;
1415 }
1416 static void fclose_and_forget(FILE *fp)
1417 {
1418         struct FILE_list **pp = &G.FILE_list;
1419         while (*pp) {
1420                 struct FILE_list *cur = *pp;
1421                 if (cur->fp == fp) {
1422                         *pp = cur->next;
1423                         free(cur);
1424                         break;
1425                 }
1426                 pp = &cur->next;
1427         }
1428         fclose(fp);
1429 }
1430 static int save_FILEs_on_redirect(int fd)
1431 {
1432         struct FILE_list *fl = G.FILE_list;
1433         while (fl) {
1434                 if (fd == fl->fd) {
1435                         /* We use it only on script files, they are all CLOEXEC */
1436                         fl->fd = xdup_and_close(fd, F_DUPFD_CLOEXEC);
1437                         return 1;
1438                 }
1439                 fl = fl->next;
1440         }
1441         return 0;
1442 }
1443 static void restore_redirected_FILEs(void)
1444 {
1445         struct FILE_list *fl = G.FILE_list;
1446         while (fl) {
1447                 int should_be = fileno(fl->fp);
1448                 if (fl->fd != should_be) {
1449                         xmove_fd(fl->fd, should_be);
1450                         fl->fd = should_be;
1451                 }
1452                 fl = fl->next;
1453         }
1454 }
1455 #if ENABLE_FEATURE_SH_STANDALONE
1456 static void close_all_FILE_list(void)
1457 {
1458         struct FILE_list *fl = G.FILE_list;
1459         while (fl) {
1460                 /* fclose would also free FILE object.
1461                  * It is disastrous if we share memory with a vforked parent.
1462                  * I'm not sure we never come here after vfork.
1463                  * Therefore just close fd, nothing more.
1464                  */
1465                 /*fclose(fl->fp); - unsafe */
1466                 close(fl->fd);
1467                 fl = fl->next;
1468         }
1469 }
1470 #endif
1471
1472
1473 /* Helpers for setting new $n and restoring them back
1474  */
1475 typedef struct save_arg_t {
1476         char *sv_argv0;
1477         char **sv_g_argv;
1478         int sv_g_argc;
1479         smallint sv_g_malloced;
1480 } save_arg_t;
1481
1482 static void save_and_replace_G_args(save_arg_t *sv, char **argv)
1483 {
1484         int n;
1485
1486         sv->sv_argv0 = argv[0];
1487         sv->sv_g_argv = G.global_argv;
1488         sv->sv_g_argc = G.global_argc;
1489         sv->sv_g_malloced = G.global_args_malloced;
1490
1491         argv[0] = G.global_argv[0]; /* retain $0 */
1492         G.global_argv = argv;
1493         G.global_args_malloced = 0;
1494
1495         n = 1;
1496         while (*++argv)
1497                 n++;
1498         G.global_argc = n;
1499 }
1500
1501 static void restore_G_args(save_arg_t *sv, char **argv)
1502 {
1503         char **pp;
1504
1505         if (G.global_args_malloced) {
1506                 /* someone ran "set -- arg1 arg2 ...", undo */
1507                 pp = G.global_argv;
1508                 while (*++pp) /* note: does not free $0 */
1509                         free(*pp);
1510                 free(G.global_argv);
1511         }
1512         argv[0] = sv->sv_argv0;
1513         G.global_argv = sv->sv_g_argv;
1514         G.global_argc = sv->sv_g_argc;
1515         G.global_args_malloced = sv->sv_g_malloced;
1516 }
1517
1518
1519 /* Basic theory of signal handling in shell
1520  * ========================================
1521  * This does not describe what hush does, rather, it is current understanding
1522  * what it _should_ do. If it doesn't, it's a bug.
1523  * http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#trap
1524  *
1525  * Signals are handled only after each pipe ("cmd | cmd | cmd" thing)
1526  * is finished or backgrounded. It is the same in interactive and
1527  * non-interactive shells, and is the same regardless of whether
1528  * a user trap handler is installed or a shell special one is in effect.
1529  * ^C or ^Z from keyboard seems to execute "at once" because it usually
1530  * backgrounds (i.e. stops) or kills all members of currently running
1531  * pipe.
1532  *
1533  * Wait builtin is interruptible by signals for which user trap is set
1534  * or by SIGINT in interactive shell.
1535  *
1536  * Trap handlers will execute even within trap handlers. (right?)
1537  *
1538  * User trap handlers are forgotten when subshell ("(cmd)") is entered,
1539  * except for handlers set to '' (empty string).
1540  *
1541  * If job control is off, backgrounded commands ("cmd &")
1542  * have SIGINT, SIGQUIT set to SIG_IGN.
1543  *
1544  * Commands which are run in command substitution ("`cmd`")
1545  * have SIGTTIN, SIGTTOU, SIGTSTP set to SIG_IGN.
1546  *
1547  * Ordinary commands have signals set to SIG_IGN/DFL as inherited
1548  * by the shell from its parent.
1549  *
1550  * Signals which differ from SIG_DFL action
1551  * (note: child (i.e., [v]forked) shell is not an interactive shell):
1552  *
1553  * SIGQUIT: ignore
1554  * SIGTERM (interactive): ignore
1555  * SIGHUP (interactive):
1556  *    send SIGCONT to stopped jobs, send SIGHUP to all jobs and exit
1557  * SIGTTIN, SIGTTOU, SIGTSTP (if job control is on): ignore
1558  *    Note that ^Z is handled not by trapping SIGTSTP, but by seeing
1559  *    that all pipe members are stopped. Try this in bash:
1560  *    while :; do :; done - ^Z does not background it
1561  *    (while :; do :; done) - ^Z backgrounds it
1562  * SIGINT (interactive): wait for last pipe, ignore the rest
1563  *    of the command line, show prompt. NB: ^C does not send SIGINT
1564  *    to interactive shell while shell is waiting for a pipe,
1565  *    since shell is bg'ed (is not in foreground process group).
1566  *    Example 1: this waits 5 sec, but does not execute ls:
1567  *    "echo $$; sleep 5; ls -l" + "kill -INT <pid>"
1568  *    Example 2: this does not wait and does not execute ls:
1569  *    "echo $$; sleep 5 & wait; ls -l" + "kill -INT <pid>"
1570  *    Example 3: this does not wait 5 sec, but executes ls:
1571  *    "sleep 5; ls -l" + press ^C
1572  *    Example 4: this does not wait and does not execute ls:
1573  *    "sleep 5 & wait; ls -l" + press ^C
1574  *
1575  * (What happens to signals which are IGN on shell start?)
1576  * (What happens with signal mask on shell start?)
1577  *
1578  * Old implementation
1579  * ==================
1580  * We use in-kernel pending signal mask to determine which signals were sent.
1581  * We block all signals which we don't want to take action immediately,
1582  * i.e. we block all signals which need to have special handling as described
1583  * above, and all signals which have traps set.
1584  * After each pipe execution, we extract any pending signals via sigtimedwait()
1585  * and act on them.
1586  *
1587  * unsigned special_sig_mask: a mask of such "special" signals
1588  * sigset_t blocked_set:  current blocked signal set
1589  *
1590  * "trap - SIGxxx":
1591  *    clear bit in blocked_set unless it is also in special_sig_mask
1592  * "trap 'cmd' SIGxxx":
1593  *    set bit in blocked_set (even if 'cmd' is '')
1594  * after [v]fork, if we plan to be a shell:
1595  *    unblock signals with special interactive handling
1596  *    (child shell is not interactive),
1597  *    unset all traps except '' (note: regardless of child shell's type - {}, (), etc)
1598  * after [v]fork, if we plan to exec:
1599  *    POSIX says fork clears pending signal mask in child - no need to clear it.
1600  *    Restore blocked signal set to one inherited by shell just prior to exec.
1601  *
1602  * Note: as a result, we do not use signal handlers much. The only uses
1603  * are to count SIGCHLDs
1604  * and to restore tty pgrp on signal-induced exit.
1605  *
1606  * Note 2 (compat):
1607  * Standard says "When a subshell is entered, traps that are not being ignored
1608  * are set to the default actions". bash interprets it so that traps which
1609  * are set to '' (ignore) are NOT reset to defaults. We do the same.
1610  *
1611  * Problem: the above approach makes it unwieldy to catch signals while
1612  * we are in read builtin, or while we read commands from stdin:
1613  * masked signals are not visible!
1614  *
1615  * New implementation
1616  * ==================
1617  * We record each signal we are interested in by installing signal handler
1618  * for them - a bit like emulating kernel pending signal mask in userspace.
1619  * We are interested in: signals which need to have special handling
1620  * as described above, and all signals which have traps set.
1621  * Signals are recorded in pending_set.
1622  * After each pipe execution, we extract any pending signals
1623  * and act on them.
1624  *
1625  * unsigned special_sig_mask: a mask of shell-special signals.
1626  * unsigned fatal_sig_mask: a mask of signals on which we restore tty pgrp.
1627  * char *traps[sig] if trap for sig is set (even if it's '').
1628  * sigset_t pending_set: set of sigs we received.
1629  *
1630  * "trap - SIGxxx":
1631  *    if sig is in special_sig_mask, set handler back to:
1632  *        record_pending_signo, or to IGN if it's a tty stop signal
1633  *    if sig is in fatal_sig_mask, set handler back to sigexit.
1634  *    else: set handler back to SIG_DFL
1635  * "trap 'cmd' SIGxxx":
1636  *    set handler to record_pending_signo.
1637  * "trap '' SIGxxx":
1638  *    set handler to SIG_IGN.
1639  * after [v]fork, if we plan to be a shell:
1640  *    set signals with special interactive handling to SIG_DFL
1641  *    (because child shell is not interactive),
1642  *    unset all traps except '' (note: regardless of child shell's type - {}, (), etc)
1643  * after [v]fork, if we plan to exec:
1644  *    POSIX says fork clears pending signal mask in child - no need to clear it.
1645  *
1646  * To make wait builtin interruptible, we handle SIGCHLD as special signal,
1647  * otherwise (if we leave it SIG_DFL) sigsuspend in wait builtin will not wake up on it.
1648  *
1649  * Note (compat):
1650  * Standard says "When a subshell is entered, traps that are not being ignored
1651  * are set to the default actions". bash interprets it so that traps which
1652  * are set to '' (ignore) are NOT reset to defaults. We do the same.
1653  */
1654 enum {
1655         SPECIAL_INTERACTIVE_SIGS = 0
1656                 | (1 << SIGTERM)
1657                 | (1 << SIGINT)
1658                 | (1 << SIGHUP)
1659                 ,
1660         SPECIAL_JOBSTOP_SIGS = 0
1661 #if ENABLE_HUSH_JOB
1662                 | (1 << SIGTTIN)
1663                 | (1 << SIGTTOU)
1664                 | (1 << SIGTSTP)
1665 #endif
1666                 ,
1667 };
1668
1669 static void record_pending_signo(int sig)
1670 {
1671         sigaddset(&G.pending_set, sig);
1672 #if ENABLE_HUSH_FAST
1673         if (sig == SIGCHLD) {
1674                 G.count_SIGCHLD++;
1675 //bb_error_msg("[%d] SIGCHLD_handler: G.count_SIGCHLD:%d G.handled_SIGCHLD:%d", getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
1676         }
1677 #endif
1678 }
1679
1680 static sighandler_t install_sighandler(int sig, sighandler_t handler)
1681 {
1682         struct sigaction old_sa;
1683
1684         /* We could use signal() to install handlers... almost:
1685          * except that we need to mask ALL signals while handlers run.
1686          * I saw signal nesting in strace, race window isn't small.
1687          * SA_RESTART is also needed, but in Linux, signal()
1688          * sets SA_RESTART too.
1689          */
1690         /* memset(&G.sa, 0, sizeof(G.sa)); - already done */
1691         /* sigfillset(&G.sa.sa_mask);      - already done */
1692         /* G.sa.sa_flags = SA_RESTART;     - already done */
1693         G.sa.sa_handler = handler;
1694         sigaction(sig, &G.sa, &old_sa);
1695         return old_sa.sa_handler;
1696 }
1697
1698 static void hush_exit(int exitcode) NORETURN;
1699
1700 static void restore_ttypgrp_and__exit(void) NORETURN;
1701 static void restore_ttypgrp_and__exit(void)
1702 {
1703         /* xfunc has failed! die die die */
1704         /* no EXIT traps, this is an escape hatch! */
1705         G.exiting = 1;
1706         hush_exit(xfunc_error_retval);
1707 }
1708
1709 #if ENABLE_HUSH_JOB
1710
1711 /* Needed only on some libc:
1712  * It was observed that on exit(), fgetc'ed buffered data
1713  * gets "unwound" via lseek(fd, -NUM, SEEK_CUR).
1714  * With the net effect that even after fork(), not vfork(),
1715  * exit() in NOEXECed applet in "sh SCRIPT":
1716  *      noexec_applet_here
1717  *      echo END_OF_SCRIPT
1718  * lseeks fd in input FILE object from EOF to "e" in "echo END_OF_SCRIPT".
1719  * This makes "echo END_OF_SCRIPT" executed twice.
1720  * Similar problems can be seen with die_if_script() -> xfunc_die()
1721  * and in `cmd` handling.
1722  * If set as die_func(), this makes xfunc_die() exit via _exit(), not exit():
1723  */
1724 static void fflush_and__exit(void) NORETURN;
1725 static void fflush_and__exit(void)
1726 {
1727         fflush_all();
1728         _exit(xfunc_error_retval);
1729 }
1730
1731 /* After [v]fork, in child: do not restore tty pgrp on xfunc death */
1732 # define disable_restore_tty_pgrp_on_exit() (die_func = fflush_and__exit)
1733 /* After [v]fork, in parent: restore tty pgrp on xfunc death */
1734 # define enable_restore_tty_pgrp_on_exit()  (die_func = restore_ttypgrp_and__exit)
1735
1736 /* Restores tty foreground process group, and exits.
1737  * May be called as signal handler for fatal signal
1738  * (will resend signal to itself, producing correct exit state)
1739  * or called directly with -EXITCODE.
1740  * We also call it if xfunc is exiting.
1741  */
1742 static void sigexit(int sig) NORETURN;
1743 static void sigexit(int sig)
1744 {
1745         /* Careful: we can end up here after [v]fork. Do not restore
1746          * tty pgrp then, only top-level shell process does that */
1747         if (G_saved_tty_pgrp && getpid() == G.root_pid) {
1748                 /* Disable all signals: job control, SIGPIPE, etc.
1749                  * Mostly paranoid measure, to prevent infinite SIGTTOU.
1750                  */
1751                 sigprocmask_allsigs(SIG_BLOCK);
1752                 tcsetpgrp(G_interactive_fd, G_saved_tty_pgrp);
1753         }
1754
1755         /* Not a signal, just exit */
1756         if (sig <= 0)
1757                 _exit(- sig);
1758
1759         kill_myself_with_sig(sig); /* does not return */
1760 }
1761 #else
1762
1763 # define disable_restore_tty_pgrp_on_exit() ((void)0)
1764 # define enable_restore_tty_pgrp_on_exit()  ((void)0)
1765
1766 #endif
1767
1768 static sighandler_t pick_sighandler(unsigned sig)
1769 {
1770         sighandler_t handler = SIG_DFL;
1771         if (sig < sizeof(unsigned)*8) {
1772                 unsigned sigmask = (1 << sig);
1773
1774 #if ENABLE_HUSH_JOB
1775                 /* is sig fatal? */
1776                 if (G_fatal_sig_mask & sigmask)
1777                         handler = sigexit;
1778                 else
1779 #endif
1780                 /* sig has special handling? */
1781                 if (G.special_sig_mask & sigmask) {
1782                         handler = record_pending_signo;
1783                         /* TTIN/TTOU/TSTP can't be set to record_pending_signo
1784                          * in order to ignore them: they will be raised
1785                          * in an endless loop when we try to do some
1786                          * terminal ioctls! We do have to _ignore_ these.
1787                          */
1788                         if (SPECIAL_JOBSTOP_SIGS & sigmask)
1789                                 handler = SIG_IGN;
1790                 }
1791         }
1792         return handler;
1793 }
1794
1795 /* Restores tty foreground process group, and exits. */
1796 static void hush_exit(int exitcode)
1797 {
1798 #if ENABLE_FEATURE_EDITING_SAVE_ON_EXIT
1799         save_history(G.line_input_state);
1800 #endif
1801
1802         fflush_all();
1803         if (G.exiting <= 0 && G_traps && G_traps[0] && G_traps[0][0]) {
1804                 char *argv[3];
1805                 /* argv[0] is unused */
1806                 argv[1] = G_traps[0];
1807                 argv[2] = NULL;
1808                 G.exiting = 1; /* prevent EXIT trap recursion */
1809                 /* Note: G_traps[0] is not cleared!
1810                  * "trap" will still show it, if executed
1811                  * in the handler */
1812                 builtin_eval(argv);
1813         }
1814
1815 #if ENABLE_FEATURE_CLEAN_UP
1816         {
1817                 struct variable *cur_var;
1818                 if (G.cwd != bb_msg_unknown)
1819                         free((char*)G.cwd);
1820                 cur_var = G.top_var;
1821                 while (cur_var) {
1822                         struct variable *tmp = cur_var;
1823                         if (!cur_var->max_len)
1824                                 free(cur_var->varstr);
1825                         cur_var = cur_var->next;
1826                         free(tmp);
1827                 }
1828         }
1829 #endif
1830
1831         fflush_all();
1832 #if ENABLE_HUSH_JOB
1833         sigexit(- (exitcode & 0xff));
1834 #else
1835         _exit(exitcode);
1836 #endif
1837 }
1838
1839
1840 //TODO: return a mask of ALL handled sigs?
1841 static int check_and_run_traps(void)
1842 {
1843         int last_sig = 0;
1844
1845         while (1) {
1846                 int sig;
1847
1848                 if (sigisemptyset(&G.pending_set))
1849                         break;
1850                 sig = 0;
1851                 do {
1852                         sig++;
1853                         if (sigismember(&G.pending_set, sig)) {
1854                                 sigdelset(&G.pending_set, sig);
1855                                 goto got_sig;
1856                         }
1857                 } while (sig < NSIG);
1858                 break;
1859  got_sig:
1860                 if (G_traps && G_traps[sig]) {
1861                         debug_printf_exec("%s: sig:%d handler:'%s'\n", __func__, sig, G.traps[sig]);
1862                         if (G_traps[sig][0]) {
1863                                 /* We have user-defined handler */
1864                                 smalluint save_rcode;
1865                                 char *argv[3];
1866                                 /* argv[0] is unused */
1867                                 argv[1] = G_traps[sig];
1868                                 argv[2] = NULL;
1869                                 save_rcode = G.last_exitcode;
1870                                 builtin_eval(argv);
1871 //FIXME: shouldn't it be set to 128 + sig instead?
1872                                 G.last_exitcode = save_rcode;
1873                                 last_sig = sig;
1874                         } /* else: "" trap, ignoring signal */
1875                         continue;
1876                 }
1877                 /* not a trap: special action */
1878                 switch (sig) {
1879                 case SIGINT:
1880                         debug_printf_exec("%s: sig:%d default SIGINT handler\n", __func__, sig);
1881                         G.flag_SIGINT = 1;
1882                         last_sig = sig;
1883                         break;
1884 #if ENABLE_HUSH_JOB
1885                 case SIGHUP: {
1886                         struct pipe *job;
1887                         debug_printf_exec("%s: sig:%d default SIGHUP handler\n", __func__, sig);
1888                         /* bash is observed to signal whole process groups,
1889                          * not individual processes */
1890                         for (job = G.job_list; job; job = job->next) {
1891                                 if (job->pgrp <= 0)
1892                                         continue;
1893                                 debug_printf_exec("HUPing pgrp %d\n", job->pgrp);
1894                                 if (kill(- job->pgrp, SIGHUP) == 0)
1895                                         kill(- job->pgrp, SIGCONT);
1896                         }
1897                         sigexit(SIGHUP);
1898                 }
1899 #endif
1900 #if ENABLE_HUSH_FAST
1901                 case SIGCHLD:
1902                         debug_printf_exec("%s: sig:%d default SIGCHLD handler\n", __func__, sig);
1903                         G.count_SIGCHLD++;
1904 //bb_error_msg("[%d] check_and_run_traps: G.count_SIGCHLD:%d G.handled_SIGCHLD:%d", getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
1905                         /* Note:
1906                          * We dont do 'last_sig = sig' here -> NOT returning this sig.
1907                          * This simplifies wait builtin a bit.
1908                          */
1909                         break;
1910 #endif
1911                 default: /* ignored: */
1912                         debug_printf_exec("%s: sig:%d default handling is to ignore\n", __func__, sig);
1913                         /* SIGTERM, SIGQUIT, SIGTTIN, SIGTTOU, SIGTSTP */
1914                         /* Note:
1915                          * We dont do 'last_sig = sig' here -> NOT returning this sig.
1916                          * Example: wait is not interrupted by TERM
1917                          * in interactive shell, because TERM is ignored.
1918                          */
1919                         break;
1920                 }
1921         }
1922         return last_sig;
1923 }
1924
1925
1926 static const char *get_cwd(int force)
1927 {
1928         if (force || G.cwd == NULL) {
1929                 /* xrealloc_getcwd_or_warn(arg) calls free(arg),
1930                  * we must not try to free(bb_msg_unknown) */
1931                 if (G.cwd == bb_msg_unknown)
1932                         G.cwd = NULL;
1933                 G.cwd = xrealloc_getcwd_or_warn((char *)G.cwd);
1934                 if (!G.cwd)
1935                         G.cwd = bb_msg_unknown;
1936         }
1937         return G.cwd;
1938 }
1939
1940
1941 /*
1942  * Shell and environment variable support
1943  */
1944 static struct variable **get_ptr_to_local_var(const char *name, unsigned len)
1945 {
1946         struct variable **pp;
1947         struct variable *cur;
1948
1949         pp = &G.top_var;
1950         while ((cur = *pp) != NULL) {
1951                 if (strncmp(cur->varstr, name, len) == 0 && cur->varstr[len] == '=')
1952                         return pp;
1953                 pp = &cur->next;
1954         }
1955         return NULL;
1956 }
1957
1958 static const char* FAST_FUNC get_local_var_value(const char *name)
1959 {
1960         struct variable **vpp;
1961         unsigned len = strlen(name);
1962
1963         if (G.expanded_assignments) {
1964                 char **cpp = G.expanded_assignments;
1965                 while (*cpp) {
1966                         char *cp = *cpp;
1967                         if (strncmp(cp, name, len) == 0 && cp[len] == '=')
1968                                 return cp + len + 1;
1969                         cpp++;
1970                 }
1971         }
1972
1973         vpp = get_ptr_to_local_var(name, len);
1974         if (vpp)
1975                 return (*vpp)->varstr + len + 1;
1976
1977         if (strcmp(name, "PPID") == 0)
1978                 return utoa(G.root_ppid);
1979         // bash compat: UID? EUID?
1980 #if ENABLE_HUSH_RANDOM_SUPPORT
1981         if (strcmp(name, "RANDOM") == 0)
1982                 return utoa(next_random(&G.random_gen));
1983 #endif
1984         return NULL;
1985 }
1986
1987 /* str holds "NAME=VAL" and is expected to be malloced.
1988  * We take ownership of it.
1989  * flg_export:
1990  *  0: do not change export flag
1991  *     (if creating new variable, flag will be 0)
1992  *  1: set export flag and putenv the variable
1993  * -1: clear export flag and unsetenv the variable
1994  * flg_read_only is set only when we handle -R var=val
1995  */
1996 #if !BB_MMU && ENABLE_HUSH_LOCAL
1997 /* all params are used */
1998 #elif BB_MMU && ENABLE_HUSH_LOCAL
1999 #define set_local_var(str, flg_export, local_lvl, flg_read_only) \
2000         set_local_var(str, flg_export, local_lvl)
2001 #elif BB_MMU && !ENABLE_HUSH_LOCAL
2002 #define set_local_var(str, flg_export, local_lvl, flg_read_only) \
2003         set_local_var(str, flg_export)
2004 #elif !BB_MMU && !ENABLE_HUSH_LOCAL
2005 #define set_local_var(str, flg_export, local_lvl, flg_read_only) \
2006         set_local_var(str, flg_export, flg_read_only)
2007 #endif
2008 static int set_local_var(char *str, int flg_export, int local_lvl, int flg_read_only)
2009 {
2010         struct variable **var_pp;
2011         struct variable *cur;
2012         char *free_me = NULL;
2013         char *eq_sign;
2014         int name_len;
2015
2016         eq_sign = strchr(str, '=');
2017         if (!eq_sign) { /* not expected to ever happen? */
2018                 free(str);
2019                 return -1;
2020         }
2021
2022         name_len = eq_sign - str + 1; /* including '=' */
2023         var_pp = &G.top_var;
2024         while ((cur = *var_pp) != NULL) {
2025                 if (strncmp(cur->varstr, str, name_len) != 0) {
2026                         var_pp = &cur->next;
2027                         continue;
2028                 }
2029
2030                 /* We found an existing var with this name */
2031                 if (cur->flg_read_only) {
2032 #if !BB_MMU
2033                         if (!flg_read_only)
2034 #endif
2035                                 bb_error_msg("%s: readonly variable", str);
2036                         free(str);
2037                         return -1;
2038                 }
2039                 if (flg_export == -1) { // "&& cur->flg_export" ?
2040                         debug_printf_env("%s: unsetenv '%s'\n", __func__, str);
2041                         *eq_sign = '\0';
2042                         unsetenv(str);
2043                         *eq_sign = '=';
2044                 }
2045 #if ENABLE_HUSH_LOCAL
2046                 if (cur->func_nest_level < local_lvl) {
2047                         /* New variable is declared as local,
2048                          * and existing one is global, or local
2049                          * from enclosing function.
2050                          * Remove and save old one: */
2051                         *var_pp = cur->next;
2052                         cur->next = *G.shadowed_vars_pp;
2053                         *G.shadowed_vars_pp = cur;
2054                         /* bash 3.2.33(1) and exported vars:
2055                          * # export z=z
2056                          * # f() { local z=a; env | grep ^z; }
2057                          * # f
2058                          * z=a
2059                          * # env | grep ^z
2060                          * z=z
2061                          */
2062                         if (cur->flg_export)
2063                                 flg_export = 1;
2064                         break;
2065                 }
2066 #endif
2067                 if (strcmp(cur->varstr + name_len, eq_sign + 1) == 0) {
2068  free_and_exp:
2069                         free(str);
2070                         goto exp;
2071                 }
2072                 if (cur->max_len != 0) {
2073                         if (cur->max_len >= strlen(str)) {
2074                                 /* This one is from startup env, reuse space */
2075                                 strcpy(cur->varstr, str);
2076                                 goto free_and_exp;
2077                         }
2078                         /* Can't reuse */
2079                         cur->max_len = 0;
2080                         goto set_str_and_exp;
2081                 }
2082                 /* max_len == 0 signifies "malloced" var, which we can
2083                  * (and have to) free. But we can't free(cur->varstr) here:
2084                  * if cur->flg_export is 1, it is in the environment.
2085                  * We should either unsetenv+free, or wait until putenv,
2086                  * then putenv(new)+free(old).
2087                  */
2088                 free_me = cur->varstr;
2089                 goto set_str_and_exp;
2090         }
2091
2092         /* Not found - create new variable struct */
2093         cur = xzalloc(sizeof(*cur));
2094 #if ENABLE_HUSH_LOCAL
2095         cur->func_nest_level = local_lvl;
2096 #endif
2097         cur->next = *var_pp;
2098         *var_pp = cur;
2099
2100  set_str_and_exp:
2101         cur->varstr = str;
2102 #if !BB_MMU
2103         cur->flg_read_only = flg_read_only;
2104 #endif
2105  exp:
2106         if (flg_export == 1)
2107                 cur->flg_export = 1;
2108         if (name_len == 4 && cur->varstr[0] == 'P' && cur->varstr[1] == 'S')
2109                 cmdedit_update_prompt();
2110         if (cur->flg_export) {
2111                 if (flg_export == -1) {
2112                         cur->flg_export = 0;
2113                         /* unsetenv was already done */
2114                 } else {
2115                         int i;
2116                         debug_printf_env("%s: putenv '%s'\n", __func__, cur->varstr);
2117                         i = putenv(cur->varstr);
2118                         /* only now we can free old exported malloced string */
2119                         free(free_me);
2120                         return i;
2121                 }
2122         }
2123         free(free_me);
2124         return 0;
2125 }
2126
2127 /* Used at startup and after each cd */
2128 static void set_pwd_var(int exp)
2129 {
2130         set_local_var(xasprintf("PWD=%s", get_cwd(/*force:*/ 1)),
2131                 /*exp:*/ exp, /*lvl:*/ 0, /*ro:*/ 0);
2132 }
2133
2134 static int unset_local_var_len(const char *name, int name_len)
2135 {
2136         struct variable *cur;
2137         struct variable **var_pp;
2138
2139         if (!name)
2140                 return EXIT_SUCCESS;
2141         var_pp = &G.top_var;
2142         while ((cur = *var_pp) != NULL) {
2143                 if (strncmp(cur->varstr, name, name_len) == 0 && cur->varstr[name_len] == '=') {
2144                         if (cur->flg_read_only) {
2145                                 bb_error_msg("%s: readonly variable", name);
2146                                 return EXIT_FAILURE;
2147                         }
2148                         *var_pp = cur->next;
2149                         debug_printf_env("%s: unsetenv '%s'\n", __func__, cur->varstr);
2150                         bb_unsetenv(cur->varstr);
2151                         if (name_len == 3 && cur->varstr[0] == 'P' && cur->varstr[1] == 'S')
2152                                 cmdedit_update_prompt();
2153                         if (!cur->max_len)
2154                                 free(cur->varstr);
2155                         free(cur);
2156                         return EXIT_SUCCESS;
2157                 }
2158                 var_pp = &cur->next;
2159         }
2160         return EXIT_SUCCESS;
2161 }
2162
2163 #if ENABLE_HUSH_UNSET
2164 static int unset_local_var(const char *name)
2165 {
2166         return unset_local_var_len(name, strlen(name));
2167 }
2168 #endif
2169
2170 static void unset_vars(char **strings)
2171 {
2172         char **v;
2173
2174         if (!strings)
2175                 return;
2176         v = strings;
2177         while (*v) {
2178                 const char *eq = strchrnul(*v, '=');
2179                 unset_local_var_len(*v, (int)(eq - *v));
2180                 v++;
2181         }
2182         free(strings);
2183 }
2184
2185 static void FAST_FUNC set_local_var_from_halves(const char *name, const char *val)
2186 {
2187         char *var = xasprintf("%s=%s", name, val);
2188         set_local_var(var, /*flags:*/ 0, /*lvl:*/ 0, /*ro:*/ 0);
2189 }
2190
2191
2192 /*
2193  * Helpers for "var1=val1 var2=val2 cmd" feature
2194  */
2195 static void add_vars(struct variable *var)
2196 {
2197         struct variable *next;
2198
2199         while (var) {
2200                 next = var->next;
2201                 var->next = G.top_var;
2202                 G.top_var = var;
2203                 if (var->flg_export) {
2204                         debug_printf_env("%s: restoring exported '%s'\n", __func__, var->varstr);
2205                         putenv(var->varstr);
2206                 } else {
2207                         debug_printf_env("%s: restoring variable '%s'\n", __func__, var->varstr);
2208                 }
2209                 var = next;
2210         }
2211 }
2212
2213 static struct variable *set_vars_and_save_old(char **strings)
2214 {
2215         char **s;
2216         struct variable *old = NULL;
2217
2218         if (!strings)
2219                 return old;
2220         s = strings;
2221         while (*s) {
2222                 struct variable *var_p;
2223                 struct variable **var_pp;
2224                 char *eq;
2225
2226                 eq = strchr(*s, '=');
2227                 if (eq) {
2228                         var_pp = get_ptr_to_local_var(*s, eq - *s);
2229                         if (var_pp) {
2230                                 /* Remove variable from global linked list */
2231                                 var_p = *var_pp;
2232                                 debug_printf_env("%s: removing '%s'\n", __func__, var_p->varstr);
2233                                 *var_pp = var_p->next;
2234                                 /* Add it to returned list */
2235                                 var_p->next = old;
2236                                 old = var_p;
2237                         }
2238                         set_local_var(*s, /*exp:*/ 1, /*lvl:*/ 0, /*ro:*/ 0);
2239                 }
2240                 s++;
2241         }
2242         return old;
2243 }
2244
2245
2246 /*
2247  * Unicode helper
2248  */
2249 static void reinit_unicode_for_hush(void)
2250 {
2251         /* Unicode support should be activated even if LANG is set
2252          * _during_ shell execution, not only if it was set when
2253          * shell was started. Therefore, re-check LANG every time:
2254          */
2255         if (ENABLE_FEATURE_CHECK_UNICODE_IN_ENV
2256          || ENABLE_UNICODE_USING_LOCALE
2257         ) {
2258                 const char *s = get_local_var_value("LC_ALL");
2259                 if (!s) s = get_local_var_value("LC_CTYPE");
2260                 if (!s) s = get_local_var_value("LANG");
2261                 reinit_unicode(s);
2262         }
2263 }
2264
2265 /*
2266  * in_str support (strings, and "strings" read from files).
2267  */
2268
2269 #if ENABLE_HUSH_INTERACTIVE
2270 /* To test correct lineedit/interactive behavior, type from command line:
2271  *      echo $P\
2272  *      \
2273  *      AT\
2274  *      H\
2275  *      \
2276  * It excercises a lot of corner cases.
2277  */
2278 static void cmdedit_update_prompt(void)
2279 {
2280         if (ENABLE_FEATURE_EDITING_FANCY_PROMPT) {
2281                 G.PS1 = get_local_var_value("PS1");
2282                 if (G.PS1 == NULL)
2283                         G.PS1 = "\\w \\$ ";
2284                 G.PS2 = get_local_var_value("PS2");
2285         } else {
2286                 G.PS1 = NULL;
2287         }
2288         if (G.PS2 == NULL)
2289                 G.PS2 = "> ";
2290 }
2291 static const char *setup_prompt_string(int promptmode)
2292 {
2293         const char *prompt_str;
2294         debug_printf("setup_prompt_string %d ", promptmode);
2295         if (!ENABLE_FEATURE_EDITING_FANCY_PROMPT) {
2296                 /* Set up the prompt */
2297                 if (promptmode == 0) { /* PS1 */
2298                         free((char*)G.PS1);
2299                         /* bash uses $PWD value, even if it is set by user.
2300                          * It uses current dir only if PWD is unset.
2301                          * We always use current dir. */
2302                         G.PS1 = xasprintf("%s %c ", get_cwd(0), (geteuid() != 0) ? '$' : '#');
2303                         prompt_str = G.PS1;
2304                 } else
2305                         prompt_str = G.PS2;
2306         } else
2307                 prompt_str = (promptmode == 0) ? G.PS1 : G.PS2;
2308         debug_printf("prompt_str '%s'\n", prompt_str);
2309         return prompt_str;
2310 }
2311 static int get_user_input(struct in_str *i)
2312 {
2313         int r;
2314         const char *prompt_str;
2315
2316         prompt_str = setup_prompt_string(i->promptmode);
2317 # if ENABLE_FEATURE_EDITING
2318         for (;;) {
2319                 reinit_unicode_for_hush();
2320                 if (G.flag_SIGINT) {
2321                         /* There was ^C'ed, make it look prettier: */
2322                         bb_putchar('\n');
2323                         G.flag_SIGINT = 0;
2324                 }
2325                 /* buglet: SIGINT will not make new prompt to appear _at once_,
2326                  * only after <Enter>. (^C works immediately) */
2327                 r = read_line_input(G.line_input_state, prompt_str,
2328                                 G.user_input_buf, CONFIG_FEATURE_EDITING_MAX_LEN-1,
2329                                 /*timeout*/ -1
2330                 );
2331                 /* read_line_input intercepts ^C, "convert" it to SIGINT */
2332                 if (r == 0) {
2333                         write(STDOUT_FILENO, "^C", 2);
2334                         raise(SIGINT);
2335                 }
2336                 check_and_run_traps();
2337                 if (r != 0 && !G.flag_SIGINT)
2338                         break;
2339                 /* ^C or SIGINT: repeat */
2340                 G.last_exitcode = 128 + SIGINT;
2341         }
2342         if (r < 0) {
2343                 /* EOF/error detected */
2344                 i->p = NULL;
2345                 i->peek_buf[0] = r = EOF;
2346                 return r;
2347         }
2348         i->p = G.user_input_buf;
2349         return (unsigned char)*i->p++;
2350 # else
2351         for (;;) {
2352                 G.flag_SIGINT = 0;
2353                 if (i->last_char == '\0' || i->last_char == '\n') {
2354                         /* Why check_and_run_traps here? Try this interactively:
2355                          * $ trap 'echo INT' INT; (sleep 2; kill -INT $$) &
2356                          * $ <[enter], repeatedly...>
2357                          * Without check_and_run_traps, handler never runs.
2358                          */
2359                         check_and_run_traps();
2360                         fputs(prompt_str, stdout);
2361                 }
2362                 fflush_all();
2363 //FIXME: here ^C or SIGINT will have effect only after <Enter>
2364                 r = fgetc(i->file);
2365                 /* In !ENABLE_FEATURE_EDITING we don't use read_line_input,
2366                  * no ^C masking happens during fgetc, no special code for ^C:
2367                  * it generates SIGINT as usual.
2368                  */
2369                 check_and_run_traps();
2370                 if (G.flag_SIGINT)
2371                         G.last_exitcode = 128 + SIGINT;
2372                 if (r != '\0')
2373                         break;
2374         }
2375         return r;
2376 # endif
2377 }
2378 /* This is the magic location that prints prompts
2379  * and gets data back from the user */
2380 static int fgetc_interactive(struct in_str *i)
2381 {
2382         int ch;
2383         /* If it's interactive stdin, get new line. */
2384         if (G_interactive_fd && i->file == stdin) {
2385                 /* Returns first char (or EOF), the rest is in i->p[] */
2386                 ch = get_user_input(i);
2387                 i->promptmode = 1; /* PS2 */
2388         } else {
2389                 /* Not stdin: script file, sourced file, etc */
2390                 do ch = fgetc(i->file); while (ch == '\0');
2391         }
2392         return ch;
2393 }
2394 #else
2395 static inline int fgetc_interactive(struct in_str *i)
2396 {
2397         int ch;
2398         do ch = fgetc(i->file); while (ch == '\0');
2399         return ch;
2400 }
2401 #endif  /* INTERACTIVE */
2402
2403 static int i_getch(struct in_str *i)
2404 {
2405         int ch;
2406
2407         if (!i->file) {
2408                 /* string-based in_str */
2409                 ch = (unsigned char)*i->p;
2410                 if (ch != '\0') {
2411                         i->p++;
2412                         i->last_char = ch;
2413                         return ch;
2414                 }
2415                 return EOF;
2416         }
2417
2418         /* FILE-based in_str */
2419
2420 #if ENABLE_FEATURE_EDITING
2421         /* This can be stdin, check line editing char[] buffer */
2422         if (i->p && *i->p != '\0') {
2423                 ch = (unsigned char)*i->p++;
2424                 goto out;
2425         }
2426 #endif
2427         /* peek_buf[] is an int array, not char. Can contain EOF. */
2428         ch = i->peek_buf[0];
2429         if (ch != 0) {
2430                 int ch2 = i->peek_buf[1];
2431                 i->peek_buf[0] = ch2;
2432                 if (ch2 == 0) /* very likely, avoid redundant write */
2433                         goto out;
2434                 i->peek_buf[1] = 0;
2435                 goto out;
2436         }
2437
2438         ch = fgetc_interactive(i);
2439  out:
2440         debug_printf("file_get: got '%c' %d\n", ch, ch);
2441         i->last_char = ch;
2442         return ch;
2443 }
2444
2445 static int i_peek(struct in_str *i)
2446 {
2447         int ch;
2448
2449         if (!i->file) {
2450                 /* string-based in_str */
2451                 /* Doesn't report EOF on NUL. None of the callers care. */
2452                 return (unsigned char)*i->p;
2453         }
2454
2455         /* FILE-based in_str */
2456
2457 #if ENABLE_FEATURE_EDITING && ENABLE_HUSH_INTERACTIVE
2458         /* This can be stdin, check line editing char[] buffer */
2459         if (i->p && *i->p != '\0')
2460                 return (unsigned char)*i->p;
2461 #endif
2462         /* peek_buf[] is an int array, not char. Can contain EOF. */
2463         ch = i->peek_buf[0];
2464         if (ch != 0)
2465                 return ch;
2466
2467         /* Need to get a new char */
2468         ch = fgetc_interactive(i);
2469         debug_printf("file_peek: got '%c' %d\n", ch, ch);
2470
2471         /* Save it by either rolling back line editing buffer, or in i->peek_buf[0] */
2472 #if ENABLE_FEATURE_EDITING && ENABLE_HUSH_INTERACTIVE
2473         if (i->p) {
2474                 i->p -= 1;
2475                 return ch;
2476         }
2477 #endif
2478         i->peek_buf[0] = ch;
2479         /*i->peek_buf[1] = 0; - already is */
2480         return ch;
2481 }
2482
2483 /* Only ever called if i_peek() was called, and did not return EOF.
2484  * IOW: we know the previous peek saw an ordinary char, not EOF, not NUL,
2485  * not end-of-line. Therefore we never need to read a new editing line here.
2486  */
2487 static int i_peek2(struct in_str *i)
2488 {
2489         int ch;
2490
2491         /* There are two cases when i->p[] buffer exists.
2492          * (1) it's a string in_str.
2493          * (2) It's a file, and we have a saved line editing buffer.
2494          * In both cases, we know that i->p[0] exists and not NUL, and
2495          * the peek2 result is in i->p[1].
2496          */
2497         if (i->p)
2498                 return (unsigned char)i->p[1];
2499
2500         /* Now we know it is a file-based in_str. */
2501
2502         /* peek_buf[] is an int array, not char. Can contain EOF. */
2503         /* Is there 2nd char? */
2504         ch = i->peek_buf[1];
2505         if (ch == 0) {
2506                 /* We did not read it yet, get it now */
2507                 do ch = fgetc(i->file); while (ch == '\0');
2508                 i->peek_buf[1] = ch;
2509         }
2510
2511         debug_printf("file_peek2: got '%c' %d\n", ch, ch);
2512         return ch;
2513 }
2514
2515 static void setup_file_in_str(struct in_str *i, FILE *f)
2516 {
2517         memset(i, 0, sizeof(*i));
2518         /* i->promptmode = 0; - PS1 (memset did it) */
2519         i->file = f;
2520         /* i->p = NULL; */
2521 }
2522
2523 static void setup_string_in_str(struct in_str *i, const char *s)
2524 {
2525         memset(i, 0, sizeof(*i));
2526         /* i->promptmode = 0; - PS1 (memset did it) */
2527         /*i->file = NULL */;
2528         i->p = s;
2529 }
2530
2531
2532 /*
2533  * o_string support
2534  */
2535 #define B_CHUNK  (32 * sizeof(char*))
2536
2537 static void o_reset_to_empty_unquoted(o_string *o)
2538 {
2539         o->length = 0;
2540         o->has_quoted_part = 0;
2541         if (o->data)
2542                 o->data[0] = '\0';
2543 }
2544
2545 static void o_free(o_string *o)
2546 {
2547         free(o->data);
2548         memset(o, 0, sizeof(*o));
2549 }
2550
2551 static ALWAYS_INLINE void o_free_unsafe(o_string *o)
2552 {
2553         free(o->data);
2554 }
2555
2556 static void o_grow_by(o_string *o, int len)
2557 {
2558         if (o->length + len > o->maxlen) {
2559                 o->maxlen += (2 * len) | (B_CHUNK-1);
2560                 o->data = xrealloc(o->data, 1 + o->maxlen);
2561         }
2562 }
2563
2564 static void o_addchr(o_string *o, int ch)
2565 {
2566         debug_printf("o_addchr: '%c' o->length=%d o=%p\n", ch, o->length, o);
2567         if (o->length < o->maxlen) {
2568                 /* likely. avoid o_grow_by() call */
2569  add:
2570                 o->data[o->length] = ch;
2571                 o->length++;
2572                 o->data[o->length] = '\0';
2573                 return;
2574         }
2575         o_grow_by(o, 1);
2576         goto add;
2577 }
2578
2579 #if 0
2580 /* Valid only if we know o_string is not empty */
2581 static void o_delchr(o_string *o)
2582 {
2583         o->length--;
2584         o->data[o->length] = '\0';
2585 }
2586 #endif
2587
2588 static void o_addblock(o_string *o, const char *str, int len)
2589 {
2590         o_grow_by(o, len);
2591         memcpy(&o->data[o->length], str, len);
2592         o->length += len;
2593         o->data[o->length] = '\0';
2594 }
2595
2596 static void o_addstr(o_string *o, const char *str)
2597 {
2598         o_addblock(o, str, strlen(str));
2599 }
2600
2601 #if !BB_MMU
2602 static void nommu_addchr(o_string *o, int ch)
2603 {
2604         if (o)
2605                 o_addchr(o, ch);
2606 }
2607 #else
2608 # define nommu_addchr(o, str) ((void)0)
2609 #endif
2610
2611 static void o_addstr_with_NUL(o_string *o, const char *str)
2612 {
2613         o_addblock(o, str, strlen(str) + 1);
2614 }
2615
2616 /*
2617  * HUSH_BRACE_EXPANSION code needs corresponding quoting on variable expansion side.
2618  * Currently, "v='{q,w}'; echo $v" erroneously expands braces in $v.
2619  * Apparently, on unquoted $v bash still does globbing
2620  * ("v='*.txt'; echo $v" prints all .txt files),
2621  * but NOT brace expansion! Thus, there should be TWO independent
2622  * quoting mechanisms on $v expansion side: one protects
2623  * $v from brace expansion, and other additionally protects "$v" against globbing.
2624  * We have only second one.
2625  */
2626
2627 #if ENABLE_HUSH_BRACE_EXPANSION
2628 # define MAYBE_BRACES "{}"
2629 #else
2630 # define MAYBE_BRACES ""
2631 #endif
2632
2633 /* My analysis of quoting semantics tells me that state information
2634  * is associated with a destination, not a source.
2635  */
2636 static void o_addqchr(o_string *o, int ch)
2637 {
2638         int sz = 1;
2639         char *found = strchr("*?[\\" MAYBE_BRACES, ch);
2640         if (found)
2641                 sz++;
2642         o_grow_by(o, sz);
2643         if (found) {
2644                 o->data[o->length] = '\\';
2645                 o->length++;
2646         }
2647         o->data[o->length] = ch;
2648         o->length++;
2649         o->data[o->length] = '\0';
2650 }
2651
2652 static void o_addQchr(o_string *o, int ch)
2653 {
2654         int sz = 1;
2655         if ((o->o_expflags & EXP_FLAG_ESC_GLOB_CHARS)
2656          && strchr("*?[\\" MAYBE_BRACES, ch)
2657         ) {
2658                 sz++;
2659                 o->data[o->length] = '\\';
2660                 o->length++;
2661         }
2662         o_grow_by(o, sz);
2663         o->data[o->length] = ch;
2664         o->length++;
2665         o->data[o->length] = '\0';
2666 }
2667
2668 static void o_addqblock(o_string *o, const char *str, int len)
2669 {
2670         while (len) {
2671                 char ch;
2672                 int sz;
2673                 int ordinary_cnt = strcspn(str, "*?[\\" MAYBE_BRACES);
2674                 if (ordinary_cnt > len) /* paranoia */
2675                         ordinary_cnt = len;
2676                 o_addblock(o, str, ordinary_cnt);
2677                 if (ordinary_cnt == len)
2678                         return; /* NUL is already added by o_addblock */
2679                 str += ordinary_cnt;
2680                 len -= ordinary_cnt + 1; /* we are processing + 1 char below */
2681
2682                 ch = *str++;
2683                 sz = 1;
2684                 if (ch) { /* it is necessarily one of "*?[\\" MAYBE_BRACES */
2685                         sz++;
2686                         o->data[o->length] = '\\';
2687                         o->length++;
2688                 }
2689                 o_grow_by(o, sz);
2690                 o->data[o->length] = ch;
2691                 o->length++;
2692         }
2693         o->data[o->length] = '\0';
2694 }
2695
2696 static void o_addQblock(o_string *o, const char *str, int len)
2697 {
2698         if (!(o->o_expflags & EXP_FLAG_ESC_GLOB_CHARS)) {
2699                 o_addblock(o, str, len);
2700                 return;
2701         }
2702         o_addqblock(o, str, len);
2703 }
2704
2705 static void o_addQstr(o_string *o, const char *str)
2706 {
2707         o_addQblock(o, str, strlen(str));
2708 }
2709
2710 /* A special kind of o_string for $VAR and `cmd` expansion.
2711  * It contains char* list[] at the beginning, which is grown in 16 element
2712  * increments. Actual string data starts at the next multiple of 16 * (char*).
2713  * list[i] contains an INDEX (int!) into this string data.
2714  * It means that if list[] needs to grow, data needs to be moved higher up
2715  * but list[i]'s need not be modified.
2716  * NB: remembering how many list[i]'s you have there is crucial.
2717  * o_finalize_list() operation post-processes this structure - calculates
2718  * and stores actual char* ptrs in list[]. Oh, it NULL terminates it as well.
2719  */
2720 #if DEBUG_EXPAND || DEBUG_GLOB
2721 static void debug_print_list(const char *prefix, o_string *o, int n)
2722 {
2723         char **list = (char**)o->data;
2724         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
2725         int i = 0;
2726
2727         indent();
2728         fdprintf(2, "%s: list:%p n:%d string_start:%d length:%d maxlen:%d glob:%d quoted:%d escape:%d\n",
2729                         prefix, list, n, string_start, o->length, o->maxlen,
2730                         !!(o->o_expflags & EXP_FLAG_GLOB),
2731                         o->has_quoted_part,
2732                         !!(o->o_expflags & EXP_FLAG_ESC_GLOB_CHARS));
2733         while (i < n) {
2734                 indent();
2735                 fdprintf(2, " list[%d]=%d '%s' %p\n", i, (int)(uintptr_t)list[i],
2736                                 o->data + (int)(uintptr_t)list[i] + string_start,
2737                                 o->data + (int)(uintptr_t)list[i] + string_start);
2738                 i++;
2739         }
2740         if (n) {
2741                 const char *p = o->data + (int)(uintptr_t)list[n - 1] + string_start;
2742                 indent();
2743                 fdprintf(2, " total_sz:%ld\n", (long)((p + strlen(p) + 1) - o->data));
2744         }
2745 }
2746 #else
2747 # define debug_print_list(prefix, o, n) ((void)0)
2748 #endif
2749
2750 /* n = o_save_ptr_helper(str, n) "starts new string" by storing an index value
2751  * in list[n] so that it points past last stored byte so far.
2752  * It returns n+1. */
2753 static int o_save_ptr_helper(o_string *o, int n)
2754 {
2755         char **list = (char**)o->data;
2756         int string_start;
2757         int string_len;
2758
2759         if (!o->has_empty_slot) {
2760                 string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
2761                 string_len = o->length - string_start;
2762                 if (!(n & 0xf)) { /* 0, 0x10, 0x20...? */
2763                         debug_printf_list("list[%d]=%d string_start=%d (growing)\n", n, string_len, string_start);
2764                         /* list[n] points to string_start, make space for 16 more pointers */
2765                         o->maxlen += 0x10 * sizeof(list[0]);
2766                         o->data = xrealloc(o->data, o->maxlen + 1);
2767                         list = (char**)o->data;
2768                         memmove(list + n + 0x10, list + n, string_len);
2769                         o->length += 0x10 * sizeof(list[0]);
2770                 } else {
2771                         debug_printf_list("list[%d]=%d string_start=%d\n",
2772                                         n, string_len, string_start);
2773                 }
2774         } else {
2775                 /* We have empty slot at list[n], reuse without growth */
2776                 string_start = ((n+1 + 0xf) & ~0xf) * sizeof(list[0]); /* NB: n+1! */
2777                 string_len = o->length - string_start;
2778                 debug_printf_list("list[%d]=%d string_start=%d (empty slot)\n",
2779                                 n, string_len, string_start);
2780                 o->has_empty_slot = 0;
2781         }
2782         o->has_quoted_part = 0;
2783         list[n] = (char*)(uintptr_t)string_len;
2784         return n + 1;
2785 }
2786
2787 /* "What was our last o_save_ptr'ed position (byte offset relative o->data)?" */
2788 static int o_get_last_ptr(o_string *o, int n)
2789 {
2790         char **list = (char**)o->data;
2791         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
2792
2793         return ((int)(uintptr_t)list[n-1]) + string_start;
2794 }
2795
2796 #if ENABLE_HUSH_BRACE_EXPANSION
2797 /* There in a GNU extension, GLOB_BRACE, but it is not usable:
2798  * first, it processes even {a} (no commas), second,
2799  * I didn't manage to make it return strings when they don't match
2800  * existing files. Need to re-implement it.
2801  */
2802
2803 /* Helper */
2804 static int glob_needed(const char *s)
2805 {
2806         while (*s) {
2807                 if (*s == '\\') {
2808                         if (!s[1])
2809                                 return 0;
2810                         s += 2;
2811                         continue;
2812                 }
2813                 if (*s == '*' || *s == '[' || *s == '?' || *s == '{')
2814                         return 1;
2815                 s++;
2816         }
2817         return 0;
2818 }
2819 /* Return pointer to next closing brace or to comma */
2820 static const char *next_brace_sub(const char *cp)
2821 {
2822         unsigned depth = 0;
2823         cp++;
2824         while (*cp != '\0') {
2825                 if (*cp == '\\') {
2826                         if (*++cp == '\0')
2827                                 break;
2828                         cp++;
2829                         continue;
2830                 }
2831                 if ((*cp == '}' && depth-- == 0) || (*cp == ',' && depth == 0))
2832                         break;
2833                 if (*cp++ == '{')
2834                         depth++;
2835         }
2836
2837         return *cp != '\0' ? cp : NULL;
2838 }
2839 /* Recursive brace globber. Note: may garble pattern[]. */
2840 static int glob_brace(char *pattern, o_string *o, int n)
2841 {
2842         char *new_pattern_buf;
2843         const char *begin;
2844         const char *next;
2845         const char *rest;
2846         const char *p;
2847         size_t rest_len;
2848
2849         debug_printf_glob("glob_brace('%s')\n", pattern);
2850
2851         begin = pattern;
2852         while (1) {
2853                 if (*begin == '\0')
2854                         goto simple_glob;
2855                 if (*begin == '{') {
2856                         /* Find the first sub-pattern and at the same time
2857                          * find the rest after the closing brace */
2858                         next = next_brace_sub(begin);
2859                         if (next == NULL) {
2860                                 /* An illegal expression */
2861                                 goto simple_glob;
2862                         }
2863                         if (*next == '}') {
2864                                 /* "{abc}" with no commas - illegal
2865                                  * brace expr, disregard and skip it */
2866                                 begin = next + 1;
2867                                 continue;
2868                         }
2869                         break;
2870                 }
2871                 if (*begin == '\\' && begin[1] != '\0')
2872                         begin++;
2873                 begin++;
2874         }
2875         debug_printf_glob("begin:%s\n", begin);
2876         debug_printf_glob("next:%s\n", next);
2877
2878         /* Now find the end of the whole brace expression */
2879         rest = next;
2880         while (*rest != '}') {
2881                 rest = next_brace_sub(rest);
2882                 if (rest == NULL) {
2883                         /* An illegal expression */
2884                         goto simple_glob;
2885                 }
2886                 debug_printf_glob("rest:%s\n", rest);
2887         }
2888         rest_len = strlen(++rest) + 1;
2889
2890         /* We are sure the brace expression is well-formed */
2891
2892         /* Allocate working buffer large enough for our work */
2893         new_pattern_buf = xmalloc(strlen(pattern));
2894
2895         /* We have a brace expression.  BEGIN points to the opening {,
2896          * NEXT points past the terminator of the first element, and REST
2897          * points past the final }.  We will accumulate result names from
2898          * recursive runs for each brace alternative in the buffer using
2899          * GLOB_APPEND.  */
2900
2901         p = begin + 1;
2902         while (1) {
2903                 /* Construct the new glob expression */
2904                 memcpy(
2905                         mempcpy(
2906                                 mempcpy(new_pattern_buf,
2907                                         /* We know the prefix for all sub-patterns */
2908                                         pattern, begin - pattern),
2909                                 p, next - p),
2910                         rest, rest_len);
2911
2912                 /* Note: glob_brace() may garble new_pattern_buf[].
2913                  * That's why we re-copy prefix every time (1st memcpy above).
2914                  */
2915                 n = glob_brace(new_pattern_buf, o, n);
2916                 if (*next == '}') {
2917                         /* We saw the last entry */
2918                         break;
2919                 }
2920                 p = next + 1;
2921                 next = next_brace_sub(next);
2922         }
2923         free(new_pattern_buf);
2924         return n;
2925
2926  simple_glob:
2927         {
2928                 int gr;
2929                 glob_t globdata;
2930
2931                 memset(&globdata, 0, sizeof(globdata));
2932                 gr = glob(pattern, 0, NULL, &globdata);
2933                 debug_printf_glob("glob('%s'):%d\n", pattern, gr);
2934                 if (gr != 0) {
2935                         if (gr == GLOB_NOMATCH) {
2936                                 globfree(&globdata);
2937                                 /* NB: garbles parameter */
2938                                 unbackslash(pattern);
2939                                 o_addstr_with_NUL(o, pattern);
2940                                 debug_printf_glob("glob pattern '%s' is literal\n", pattern);
2941                                 return o_save_ptr_helper(o, n);
2942                         }
2943                         if (gr == GLOB_NOSPACE)
2944                                 bb_error_msg_and_die(bb_msg_memory_exhausted);
2945                         /* GLOB_ABORTED? Only happens with GLOB_ERR flag,
2946                          * but we didn't specify it. Paranoia again. */
2947                         bb_error_msg_and_die("glob error %d on '%s'", gr, pattern);
2948                 }
2949                 if (globdata.gl_pathv && globdata.gl_pathv[0]) {
2950                         char **argv = globdata.gl_pathv;
2951                         while (1) {
2952                                 o_addstr_with_NUL(o, *argv);
2953                                 n = o_save_ptr_helper(o, n);
2954                                 argv++;
2955                                 if (!*argv)
2956                                         break;
2957                         }
2958                 }
2959                 globfree(&globdata);
2960         }
2961         return n;
2962 }
2963 /* Performs globbing on last list[],
2964  * saving each result as a new list[].
2965  */
2966 static int perform_glob(o_string *o, int n)
2967 {
2968         char *pattern, *copy;
2969
2970         debug_printf_glob("start perform_glob: n:%d o->data:%p\n", n, o->data);
2971         if (!o->data)
2972                 return o_save_ptr_helper(o, n);
2973         pattern = o->data + o_get_last_ptr(o, n);
2974         debug_printf_glob("glob pattern '%s'\n", pattern);
2975         if (!glob_needed(pattern)) {
2976                 /* unbackslash last string in o in place, fix length */
2977                 o->length = unbackslash(pattern) - o->data;
2978                 debug_printf_glob("glob pattern '%s' is literal\n", pattern);
2979                 return o_save_ptr_helper(o, n);
2980         }
2981
2982         copy = xstrdup(pattern);
2983         /* "forget" pattern in o */
2984         o->length = pattern - o->data;
2985         n = glob_brace(copy, o, n);
2986         free(copy);
2987         if (DEBUG_GLOB)
2988                 debug_print_list("perform_glob returning", o, n);
2989         return n;
2990 }
2991
2992 #else /* !HUSH_BRACE_EXPANSION */
2993
2994 /* Helper */
2995 static int glob_needed(const char *s)
2996 {
2997         while (*s) {
2998                 if (*s == '\\') {
2999                         if (!s[1])
3000                                 return 0;
3001                         s += 2;
3002                         continue;
3003                 }
3004                 if (*s == '*' || *s == '[' || *s == '?')
3005                         return 1;
3006                 s++;
3007         }
3008         return 0;
3009 }
3010 /* Performs globbing on last list[],
3011  * saving each result as a new list[].
3012  */
3013 static int perform_glob(o_string *o, int n)
3014 {
3015         glob_t globdata;
3016         int gr;
3017         char *pattern;
3018
3019         debug_printf_glob("start perform_glob: n:%d o->data:%p\n", n, o->data);
3020         if (!o->data)
3021                 return o_save_ptr_helper(o, n);
3022         pattern = o->data + o_get_last_ptr(o, n);
3023         debug_printf_glob("glob pattern '%s'\n", pattern);
3024         if (!glob_needed(pattern)) {
3025  literal:
3026                 /* unbackslash last string in o in place, fix length */
3027                 o->length = unbackslash(pattern) - o->data;
3028                 debug_printf_glob("glob pattern '%s' is literal\n", pattern);
3029                 return o_save_ptr_helper(o, n);
3030         }
3031
3032         memset(&globdata, 0, sizeof(globdata));
3033         /* Can't use GLOB_NOCHECK: it does not unescape the string.
3034          * If we glob "*.\*" and don't find anything, we need
3035          * to fall back to using literal "*.*", but GLOB_NOCHECK
3036          * will return "*.\*"!
3037          */
3038         gr = glob(pattern, 0, NULL, &globdata);
3039         debug_printf_glob("glob('%s'):%d\n", pattern, gr);
3040         if (gr != 0) {
3041                 if (gr == GLOB_NOMATCH) {
3042                         globfree(&globdata);
3043                         goto literal;
3044                 }
3045                 if (gr == GLOB_NOSPACE)
3046                         bb_error_msg_and_die(bb_msg_memory_exhausted);
3047                 /* GLOB_ABORTED? Only happens with GLOB_ERR flag,
3048                  * but we didn't specify it. Paranoia again. */
3049                 bb_error_msg_and_die("glob error %d on '%s'", gr, pattern);
3050         }
3051         if (globdata.gl_pathv && globdata.gl_pathv[0]) {
3052                 char **argv = globdata.gl_pathv;
3053                 /* "forget" pattern in o */
3054                 o->length = pattern - o->data;
3055                 while (1) {
3056                         o_addstr_with_NUL(o, *argv);
3057                         n = o_save_ptr_helper(o, n);
3058                         argv++;
3059                         if (!*argv)
3060                                 break;
3061                 }
3062         }
3063         globfree(&globdata);
3064         if (DEBUG_GLOB)
3065                 debug_print_list("perform_glob returning", o, n);
3066         return n;
3067 }
3068
3069 #endif /* !HUSH_BRACE_EXPANSION */
3070
3071 /* If o->o_expflags & EXP_FLAG_GLOB, glob the string so far remembered.
3072  * Otherwise, just finish current list[] and start new */
3073 static int o_save_ptr(o_string *o, int n)
3074 {
3075         if (o->o_expflags & EXP_FLAG_GLOB) {
3076                 /* If o->has_empty_slot, list[n] was already globbed
3077                  * (if it was requested back then when it was filled)
3078                  * so don't do that again! */
3079                 if (!o->has_empty_slot)
3080                         return perform_glob(o, n); /* o_save_ptr_helper is inside */
3081         }
3082         return o_save_ptr_helper(o, n);
3083 }
3084
3085 /* "Please convert list[n] to real char* ptrs, and NULL terminate it." */
3086 static char **o_finalize_list(o_string *o, int n)
3087 {
3088         char **list;
3089         int string_start;
3090
3091         n = o_save_ptr(o, n); /* force growth for list[n] if necessary */
3092         if (DEBUG_EXPAND)
3093                 debug_print_list("finalized", o, n);
3094         debug_printf_expand("finalized n:%d\n", n);
3095         list = (char**)o->data;
3096         string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
3097         list[--n] = NULL;
3098         while (n) {
3099                 n--;
3100                 list[n] = o->data + (int)(uintptr_t)list[n] + string_start;
3101         }
3102         return list;
3103 }
3104
3105 static void free_pipe_list(struct pipe *pi);
3106
3107 /* Returns pi->next - next pipe in the list */
3108 static struct pipe *free_pipe(struct pipe *pi)
3109 {
3110         struct pipe *next;
3111         int i;
3112
3113         debug_printf_clean("free_pipe (pid %d)\n", getpid());
3114         for (i = 0; i < pi->num_cmds; i++) {
3115                 struct command *command;
3116                 struct redir_struct *r, *rnext;
3117
3118                 command = &pi->cmds[i];
3119                 debug_printf_clean("  command %d:\n", i);
3120                 if (command->argv) {
3121                         if (DEBUG_CLEAN) {
3122                                 int a;
3123                                 char **p;
3124                                 for (a = 0, p = command->argv; *p; a++, p++) {
3125                                         debug_printf_clean("   argv[%d] = %s\n", a, *p);
3126                                 }
3127                         }
3128                         free_strings(command->argv);
3129                         //command->argv = NULL;
3130                 }
3131                 /* not "else if": on syntax error, we may have both! */
3132                 if (command->group) {
3133                         debug_printf_clean("   begin group (cmd_type:%d)\n",
3134                                         command->cmd_type);
3135                         free_pipe_list(command->group);
3136                         debug_printf_clean("   end group\n");
3137                         //command->group = NULL;
3138                 }
3139                 /* else is crucial here.
3140                  * If group != NULL, child_func is meaningless */
3141 #if ENABLE_HUSH_FUNCTIONS
3142                 else if (command->child_func) {
3143                         debug_printf_exec("cmd %p releases child func at %p\n", command, command->child_func);
3144                         command->child_func->parent_cmd = NULL;
3145                 }
3146 #endif
3147 #if !BB_MMU
3148                 free(command->group_as_string);
3149                 //command->group_as_string = NULL;
3150 #endif
3151                 for (r = command->redirects; r; r = rnext) {
3152                         debug_printf_clean("   redirect %d%s",
3153                                         r->rd_fd, redir_table[r->rd_type].descrip);
3154                         /* guard against the case >$FOO, where foo is unset or blank */
3155                         if (r->rd_filename) {
3156                                 debug_printf_clean(" fname:'%s'\n", r->rd_filename);
3157                                 free(r->rd_filename);
3158                                 //r->rd_filename = NULL;
3159                         }
3160                         debug_printf_clean(" rd_dup:%d\n", r->rd_dup);
3161                         rnext = r->next;
3162                         free(r);
3163                 }
3164                 //command->redirects = NULL;
3165         }
3166         free(pi->cmds);   /* children are an array, they get freed all at once */
3167         //pi->cmds = NULL;
3168 #if ENABLE_HUSH_JOB
3169         free(pi->cmdtext);
3170         //pi->cmdtext = NULL;
3171 #endif
3172
3173         next = pi->next;
3174         free(pi);
3175         return next;
3176 }
3177
3178 static void free_pipe_list(struct pipe *pi)
3179 {
3180         while (pi) {
3181 #if HAS_KEYWORDS
3182                 debug_printf_clean("pipe reserved word %d\n", pi->res_word);
3183 #endif
3184                 debug_printf_clean("pipe followup code %d\n", pi->followup);
3185                 pi = free_pipe(pi);
3186         }
3187 }
3188
3189
3190 /*** Parsing routines ***/
3191
3192 #ifndef debug_print_tree
3193 static void debug_print_tree(struct pipe *pi, int lvl)
3194 {
3195         static const char *const PIPE[] = {
3196                 [PIPE_SEQ] = "SEQ",
3197                 [PIPE_AND] = "AND",
3198                 [PIPE_OR ] = "OR" ,
3199                 [PIPE_BG ] = "BG" ,
3200         };
3201         static const char *RES[] = {
3202                 [RES_NONE ] = "NONE" ,
3203 # if ENABLE_HUSH_IF
3204                 [RES_IF   ] = "IF"   ,
3205                 [RES_THEN ] = "THEN" ,
3206                 [RES_ELIF ] = "ELIF" ,
3207                 [RES_ELSE ] = "ELSE" ,
3208                 [RES_FI   ] = "FI"   ,
3209 # endif
3210 # if ENABLE_HUSH_LOOPS
3211                 [RES_FOR  ] = "FOR"  ,
3212                 [RES_WHILE] = "WHILE",
3213                 [RES_UNTIL] = "UNTIL",
3214                 [RES_DO   ] = "DO"   ,
3215                 [RES_DONE ] = "DONE" ,
3216 # endif
3217 # if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
3218                 [RES_IN   ] = "IN"   ,
3219 # endif
3220 # if ENABLE_HUSH_CASE
3221                 [RES_CASE ] = "CASE" ,
3222                 [RES_CASE_IN ] = "CASE_IN" ,
3223                 [RES_MATCH] = "MATCH",
3224                 [RES_CASE_BODY] = "CASE_BODY",
3225                 [RES_ESAC ] = "ESAC" ,
3226 # endif
3227                 [RES_XXXX ] = "XXXX" ,
3228                 [RES_SNTX ] = "SNTX" ,
3229         };
3230         static const char *const CMDTYPE[] = {
3231                 "{}",
3232                 "()",
3233                 "[noglob]",
3234 # if ENABLE_HUSH_FUNCTIONS
3235                 "func()",
3236 # endif
3237         };
3238
3239         int pin, prn;
3240
3241         pin = 0;
3242         while (pi) {
3243                 fdprintf(2, "%*spipe %d res_word=%s followup=%d %s\n", lvl*2, "",
3244                                 pin, RES[pi->res_word], pi->followup, PIPE[pi->followup]);
3245                 prn = 0;
3246                 while (prn < pi->num_cmds) {
3247                         struct command *command = &pi->cmds[prn];
3248                         char **argv = command->argv;
3249
3250                         fdprintf(2, "%*s cmd %d assignment_cnt:%d",
3251                                         lvl*2, "", prn,
3252                                         command->assignment_cnt);
3253                         if (command->group) {
3254                                 fdprintf(2, " group %s: (argv=%p)%s%s\n",
3255                                                 CMDTYPE[command->cmd_type],
3256                                                 argv
3257 # if !BB_MMU
3258                                                 , " group_as_string:", command->group_as_string
3259 # else
3260                                                 , "", ""
3261 # endif
3262                                 );
3263                                 debug_print_tree(command->group, lvl+1);
3264                                 prn++;
3265                                 continue;
3266                         }
3267                         if (argv) while (*argv) {
3268                                 fdprintf(2, " '%s'", *argv);
3269                                 argv++;
3270                         }
3271                         fdprintf(2, "\n");
3272                         prn++;
3273                 }
3274                 pi = pi->next;
3275                 pin++;
3276         }
3277 }
3278 #endif /* debug_print_tree */
3279
3280 static struct pipe *new_pipe(void)
3281 {
3282         struct pipe *pi;
3283         pi = xzalloc(sizeof(struct pipe));
3284         /*pi->res_word = RES_NONE; - RES_NONE is 0 anyway */
3285         return pi;
3286 }
3287
3288 /* Command (member of a pipe) is complete, or we start a new pipe
3289  * if ctx->command is NULL.
3290  * No errors possible here.
3291  */
3292 static int done_command(struct parse_context *ctx)
3293 {
3294         /* The command is really already in the pipe structure, so
3295          * advance the pipe counter and make a new, null command. */
3296         struct pipe *pi = ctx->pipe;
3297         struct command *command = ctx->command;
3298
3299 #if 0   /* Instead we emit error message at run time */
3300         if (ctx->pending_redirect) {
3301                 /* For example, "cmd >" (no filename to redirect to) */
3302                 die_if_script("syntax error: %s", "invalid redirect");
3303                 ctx->pending_redirect = NULL;
3304         }
3305 #endif
3306
3307         if (command) {
3308                 if (IS_NULL_CMD(command)) {
3309                         debug_printf_parse("done_command: skipping null cmd, num_cmds=%d\n", pi->num_cmds);
3310                         goto clear_and_ret;
3311                 }
3312                 pi->num_cmds++;
3313                 debug_printf_parse("done_command: ++num_cmds=%d\n", pi->num_cmds);
3314                 //debug_print_tree(ctx->list_head, 20);
3315         } else {
3316                 debug_printf_parse("done_command: initializing, num_cmds=%d\n", pi->num_cmds);
3317         }
3318
3319         /* Only real trickiness here is that the uncommitted
3320          * command structure is not counted in pi->num_cmds. */
3321         pi->cmds = xrealloc(pi->cmds, sizeof(*pi->cmds) * (pi->num_cmds+1));
3322         ctx->command = command = &pi->cmds[pi->num_cmds];
3323  clear_and_ret:
3324         memset(command, 0, sizeof(*command));
3325         return pi->num_cmds; /* used only for 0/nonzero check */
3326 }
3327
3328 static void done_pipe(struct parse_context *ctx, pipe_style type)
3329 {
3330         int not_null;
3331
3332         debug_printf_parse("done_pipe entered, followup %d\n", type);
3333         /* Close previous command */
3334         not_null = done_command(ctx);
3335         ctx->pipe->followup = type;
3336 #if HAS_KEYWORDS
3337         ctx->pipe->pi_inverted = ctx->ctx_inverted;
3338         ctx->ctx_inverted = 0;
3339         ctx->pipe->res_word = ctx->ctx_res_w;
3340 #endif
3341
3342         /* Without this check, even just <enter> on command line generates
3343          * tree of three NOPs (!). Which is harmless but annoying.
3344          * IOW: it is safe to do it unconditionally. */
3345         if (not_null
3346 #if ENABLE_HUSH_IF
3347          || ctx->ctx_res_w == RES_FI
3348 #endif
3349 #if ENABLE_HUSH_LOOPS
3350          || ctx->ctx_res_w == RES_DONE
3351          || ctx->ctx_res_w == RES_FOR
3352          || ctx->ctx_res_w == RES_IN
3353 #endif
3354 #if ENABLE_HUSH_CASE
3355          || ctx->ctx_res_w == RES_ESAC
3356 #endif
3357         ) {
3358                 struct pipe *new_p;
3359                 debug_printf_parse("done_pipe: adding new pipe: "
3360                                 "not_null:%d ctx->ctx_res_w:%d\n",
3361                                 not_null, ctx->ctx_res_w);
3362                 new_p = new_pipe();
3363                 ctx->pipe->next = new_p;
3364                 ctx->pipe = new_p;
3365                 /* RES_THEN, RES_DO etc are "sticky" -
3366                  * they remain set for pipes inside if/while.
3367                  * This is used to control execution.
3368                  * RES_FOR and RES_IN are NOT sticky (needed to support
3369                  * cases where variable or value happens to match a keyword):
3370                  */
3371 #if ENABLE_HUSH_LOOPS
3372                 if (ctx->ctx_res_w == RES_FOR
3373                  || ctx->ctx_res_w == RES_IN)
3374                         ctx->ctx_res_w = RES_NONE;
3375 #endif
3376 #if ENABLE_HUSH_CASE
3377                 if (ctx->ctx_res_w == RES_MATCH)
3378                         ctx->ctx_res_w = RES_CASE_BODY;
3379                 if (ctx->ctx_res_w == RES_CASE)
3380                         ctx->ctx_res_w = RES_CASE_IN;
3381 #endif
3382                 ctx->command = NULL; /* trick done_command below */
3383                 /* Create the memory for command, roughly:
3384                  * ctx->pipe->cmds = new struct command;
3385                  * ctx->command = &ctx->pipe->cmds[0];
3386                  */
3387                 done_command(ctx);
3388                 //debug_print_tree(ctx->list_head, 10);
3389         }
3390         debug_printf_parse("done_pipe return\n");
3391 }
3392
3393 static void initialize_context(struct parse_context *ctx)
3394 {
3395         memset(ctx, 0, sizeof(*ctx));
3396         ctx->pipe = ctx->list_head = new_pipe();
3397         /* Create the memory for command, roughly:
3398          * ctx->pipe->cmds = new struct command;
3399          * ctx->command = &ctx->pipe->cmds[0];
3400          */
3401         done_command(ctx);
3402 }
3403
3404 /* If a reserved word is found and processed, parse context is modified
3405  * and 1 is returned.
3406  */
3407 #if HAS_KEYWORDS
3408 struct reserved_combo {
3409         char literal[6];
3410         unsigned char res;
3411         unsigned char assignment_flag;
3412         int flag;
3413 };
3414 enum {
3415         FLAG_END   = (1 << RES_NONE ),
3416 # if ENABLE_HUSH_IF
3417         FLAG_IF    = (1 << RES_IF   ),
3418         FLAG_THEN  = (1 << RES_THEN ),
3419         FLAG_ELIF  = (1 << RES_ELIF ),
3420         FLAG_ELSE  = (1 << RES_ELSE ),
3421         FLAG_FI    = (1 << RES_FI   ),
3422 # endif
3423 # if ENABLE_HUSH_LOOPS
3424         FLAG_FOR   = (1 << RES_FOR  ),
3425         FLAG_WHILE = (1 << RES_WHILE),
3426         FLAG_UNTIL = (1 << RES_UNTIL),
3427         FLAG_DO    = (1 << RES_DO   ),
3428         FLAG_DONE  = (1 << RES_DONE ),
3429         FLAG_IN    = (1 << RES_IN   ),
3430 # endif
3431 # if ENABLE_HUSH_CASE
3432         FLAG_MATCH = (1 << RES_MATCH),
3433         FLAG_ESAC  = (1 << RES_ESAC ),
3434 # endif
3435         FLAG_START = (1 << RES_XXXX ),
3436 };
3437
3438 static const struct reserved_combo* match_reserved_word(o_string *word)
3439 {
3440         /* Mostly a list of accepted follow-up reserved words.
3441          * FLAG_END means we are done with the sequence, and are ready
3442          * to turn the compound list into a command.
3443          * FLAG_START means the word must start a new compound list.
3444          */
3445         static const struct reserved_combo reserved_list[] = {
3446 # if ENABLE_HUSH_IF
3447                 { "!",     RES_NONE,  NOT_ASSIGNMENT  , 0 },
3448                 { "if",    RES_IF,    MAYBE_ASSIGNMENT, FLAG_THEN | FLAG_START },
3449                 { "then",  RES_THEN,  MAYBE_ASSIGNMENT, FLAG_ELIF | FLAG_ELSE | FLAG_FI },
3450                 { "elif",  RES_ELIF,  MAYBE_ASSIGNMENT, FLAG_THEN },
3451                 { "else",  RES_ELSE,  MAYBE_ASSIGNMENT, FLAG_FI   },
3452                 { "fi",    RES_FI,    NOT_ASSIGNMENT  , FLAG_END  },
3453 # endif
3454 # if ENABLE_HUSH_LOOPS
3455                 { "for",   RES_FOR,   NOT_ASSIGNMENT  , FLAG_IN | FLAG_DO | FLAG_START },
3456                 { "while", RES_WHILE, MAYBE_ASSIGNMENT, FLAG_DO | FLAG_START },
3457                 { "until", RES_UNTIL, MAYBE_ASSIGNMENT, FLAG_DO | FLAG_START },
3458                 { "in",    RES_IN,    NOT_ASSIGNMENT  , FLAG_DO   },
3459                 { "do",    RES_DO,    MAYBE_ASSIGNMENT, FLAG_DONE },
3460                 { "done",  RES_DONE,  NOT_ASSIGNMENT  , FLAG_END  },
3461 # endif
3462 # if ENABLE_HUSH_CASE
3463                 { "case",  RES_CASE,  NOT_ASSIGNMENT  , FLAG_MATCH | FLAG_START },
3464                 { "esac",  RES_ESAC,  NOT_ASSIGNMENT  , FLAG_END  },
3465 # endif
3466         };
3467         const struct reserved_combo *r;
3468
3469         for (r = reserved_list; r < reserved_list + ARRAY_SIZE(reserved_list); r++) {
3470                 if (strcmp(word->data, r->literal) == 0)
3471                         return r;
3472         }
3473         return NULL;
3474 }
3475 /* Return 0: not a keyword, 1: keyword
3476  */
3477 static int reserved_word(o_string *word, struct parse_context *ctx)
3478 {
3479 # if ENABLE_HUSH_CASE
3480         static const struct reserved_combo reserved_match = {
3481                 "",        RES_MATCH, NOT_ASSIGNMENT , FLAG_MATCH | FLAG_ESAC
3482         };
3483 # endif
3484         const struct reserved_combo *r;
3485
3486         if (word->has_quoted_part)
3487                 return 0;
3488         r = match_reserved_word(word);
3489         if (!r)
3490                 return 0;
3491
3492         debug_printf("found reserved word %s, res %d\n", r->literal, r->res);
3493 # if ENABLE_HUSH_CASE
3494         if (r->res == RES_IN && ctx->ctx_res_w == RES_CASE_IN) {
3495                 /* "case word IN ..." - IN part starts first MATCH part */
3496                 r = &reserved_match;
3497         } else
3498 # endif
3499         if (r->flag == 0) { /* '!' */
3500                 if (ctx->ctx_inverted) { /* bash doesn't accept '! ! true' */
3501                         syntax_error("! ! command");
3502                         ctx->ctx_res_w = RES_SNTX;
3503                 }
3504                 ctx->ctx_inverted = 1;
3505                 return 1;
3506         }
3507         if (r->flag & FLAG_START) {
3508                 struct parse_context *old;
3509
3510                 old = xmalloc(sizeof(*old));
3511                 debug_printf_parse("push stack %p\n", old);
3512                 *old = *ctx;   /* physical copy */
3513                 initialize_context(ctx);
3514                 ctx->stack = old;
3515         } else if (/*ctx->ctx_res_w == RES_NONE ||*/ !(ctx->old_flag & (1 << r->res))) {
3516                 syntax_error_at(word->data);
3517                 ctx->ctx_res_w = RES_SNTX;
3518                 return 1;
3519         } else {
3520                 /* "{...} fi" is ok. "{...} if" is not
3521                  * Example:
3522                  * if { echo foo; } then { echo bar; } fi */
3523                 if (ctx->command->group)
3524                         done_pipe(ctx, PIPE_SEQ);
3525         }
3526
3527         ctx->ctx_res_w = r->res;
3528         ctx->old_flag = r->flag;
3529         word->o_assignment = r->assignment_flag;
3530         debug_printf_parse("word->o_assignment='%s'\n", assignment_flag[word->o_assignment]);
3531
3532         if (ctx->old_flag & FLAG_END) {
3533                 struct parse_context *old;
3534
3535                 done_pipe(ctx, PIPE_SEQ);
3536                 debug_printf_parse("pop stack %p\n", ctx->stack);
3537                 old = ctx->stack;
3538                 old->command->group = ctx->list_head;
3539                 old->command->cmd_type = CMD_NORMAL;
3540 # if !BB_MMU
3541                 /* At this point, the compound command's string is in
3542                  * ctx->as_string... except for the leading keyword!
3543                  * Consider this example: "echo a | if true; then echo a; fi"
3544                  * ctx->as_string will contain "true; then echo a; fi",
3545                  * with "if " remaining in old->as_string!
3546                  */
3547                 {
3548                         char *str;
3549                         int len = old->as_string.length;
3550                         /* Concatenate halves */
3551                         o_addstr(&old->as_string, ctx->as_string.data);
3552                         o_free_unsafe(&ctx->as_string);
3553                         /* Find where leading keyword starts in first half */
3554                         str = old->as_string.data + len;
3555                         if (str > old->as_string.data)
3556                                 str--; /* skip whitespace after keyword */
3557                         while (str > old->as_string.data && isalpha(str[-1]))
3558                                 str--;
3559                         /* Ugh, we're done with this horrid hack */
3560                         old->command->group_as_string = xstrdup(str);
3561                         debug_printf_parse("pop, remembering as:'%s'\n",
3562                                         old->command->group_as_string);
3563                 }
3564 # endif
3565                 *ctx = *old;   /* physical copy */
3566                 free(old);
3567         }
3568         return 1;
3569 }
3570 #endif /* HAS_KEYWORDS */
3571
3572 /* Word is complete, look at it and update parsing context.
3573  * Normal return is 0. Syntax errors return 1.
3574  * Note: on return, word is reset, but not o_free'd!
3575  */
3576 static int done_word(o_string *word, struct parse_context *ctx)
3577 {
3578         struct command *command = ctx->command;
3579
3580         debug_printf_parse("done_word entered: '%s' %p\n", word->data, command);
3581         if (word->length == 0 && !word->has_quoted_part) {
3582                 debug_printf_parse("done_word return 0: true null, ignored\n");
3583                 return 0;
3584         }
3585
3586         if (ctx->pending_redirect) {
3587                 /* We do not glob in e.g. >*.tmp case. bash seems to glob here
3588                  * only if run as "bash", not "sh" */
3589                 /* http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html
3590                  * "2.7 Redirection
3591                  * ...the word that follows the redirection operator
3592                  * shall be subjected to tilde expansion, parameter expansion,
3593                  * command substitution, arithmetic expansion, and quote
3594                  * removal. Pathname expansion shall not be performed
3595                  * on the word by a non-interactive shell; an interactive
3596                  * shell may perform it, but shall do so only when
3597                  * the expansion would result in one word."
3598                  */
3599                 ctx->pending_redirect->rd_filename = xstrdup(word->data);
3600                 /* Cater for >\file case:
3601                  * >\a creates file a; >\\a, >"\a", >"\\a" create file \a
3602                  * Same with heredocs:
3603                  * for <<\H delim is H; <<\\H, <<"\H", <<"\\H" - \H
3604                  */
3605                 if (ctx->pending_redirect->rd_type == REDIRECT_HEREDOC) {
3606                         unbackslash(ctx->pending_redirect->rd_filename);
3607                         /* Is it <<"HEREDOC"? */
3608                         if (word->has_quoted_part) {
3609                                 ctx->pending_redirect->rd_dup |= HEREDOC_QUOTED;
3610                         }
3611                 }
3612                 debug_printf_parse("word stored in rd_filename: '%s'\n", word->data);
3613                 ctx->pending_redirect = NULL;
3614         } else {
3615 #if HAS_KEYWORDS
3616 # if ENABLE_HUSH_CASE
3617                 if (ctx->ctx_dsemicolon
3618                  && strcmp(word->data, "esac") != 0 /* not "... pattern) cmd;; esac" */
3619                 ) {
3620                         /* already done when ctx_dsemicolon was set to 1: */
3621                         /* ctx->ctx_res_w = RES_MATCH; */
3622                         ctx->ctx_dsemicolon = 0;
3623                 } else
3624 # endif
3625                 if (!command->argv /* if it's the first word... */
3626 # if ENABLE_HUSH_LOOPS
3627                  && ctx->ctx_res_w != RES_FOR /* ...not after FOR or IN */
3628                  && ctx->ctx_res_w != RES_IN
3629 # endif
3630 # if ENABLE_HUSH_CASE
3631                  && ctx->ctx_res_w != RES_CASE
3632 # endif
3633                 ) {
3634                         int reserved = reserved_word(word, ctx);
3635                         debug_printf_parse("checking for reserved-ness: %d\n", reserved);
3636                         if (reserved) {
3637                                 o_reset_to_empty_unquoted(word);
3638                                 debug_printf_parse("done_word return %d\n",
3639                                                 (ctx->ctx_res_w == RES_SNTX));
3640                                 return (ctx->ctx_res_w == RES_SNTX);
3641                         }
3642 # if ENABLE_HUSH_BASH_COMPAT
3643                         if (strcmp(word->data, "[[") == 0) {
3644                                 command->cmd_type = CMD_SINGLEWORD_NOGLOB;
3645                         }
3646                         /* fall through */
3647 # endif
3648                 }
3649 #endif
3650                 if (command->group) {
3651                         /* "{ echo foo; } echo bar" - bad */
3652                         syntax_error_at(word->data);
3653                         debug_printf_parse("done_word return 1: syntax error, "
3654                                         "groups and arglists don't mix\n");
3655                         return 1;
3656                 }
3657
3658                 /* If this word wasn't an assignment, next ones definitely
3659                  * can't be assignments. Even if they look like ones. */
3660                 if (word->o_assignment != DEFINITELY_ASSIGNMENT
3661                  && word->o_assignment != WORD_IS_KEYWORD
3662                 ) {
3663                         word->o_assignment = NOT_ASSIGNMENT;
3664                 } else {
3665                         if (word->o_assignment == DEFINITELY_ASSIGNMENT) {
3666                                 command->assignment_cnt++;
3667                                 debug_printf_parse("++assignment_cnt=%d\n", command->assignment_cnt);
3668                         }
3669                         debug_printf_parse("word->o_assignment was:'%s'\n", assignment_flag[word->o_assignment]);
3670                         word->o_assignment = MAYBE_ASSIGNMENT;
3671                 }
3672                 debug_printf_parse("word->o_assignment='%s'\n", assignment_flag[word->o_assignment]);
3673
3674                 if (word->has_quoted_part
3675                  /* optimization: and if it's ("" or '') or ($v... or `cmd`...): */
3676                  && (word->data[0] == '\0' || word->data[0] == SPECIAL_VAR_SYMBOL)
3677                  /* (otherwise it's known to be not empty and is already safe) */
3678                 ) {
3679                         /* exclude "$@" - it can expand to no word despite "" */
3680                         char *p = word->data;
3681                         while (p[0] == SPECIAL_VAR_SYMBOL
3682                             && (p[1] & 0x7f) == '@'
3683                             && p[2] == SPECIAL_VAR_SYMBOL
3684                         ) {
3685                                 p += 3;
3686                         }
3687                 }
3688                 command->argv = add_string_to_strings(command->argv, xstrdup(word->data));
3689                 debug_print_strings("word appended to argv", command->argv);
3690         }
3691
3692 #if ENABLE_HUSH_LOOPS
3693         if (ctx->ctx_res_w == RES_FOR) {
3694                 if (word->has_quoted_part
3695                  || !is_well_formed_var_name(command->argv[0], '\0')
3696                 ) {
3697                         /* bash says just "not a valid identifier" */
3698                         syntax_error("not a valid identifier in for");
3699                         return 1;
3700                 }
3701                 /* Force FOR to have just one word (variable name) */
3702                 /* NB: basically, this makes hush see "for v in ..."
3703                  * syntax as if it is "for v; in ...". FOR and IN become
3704                  * two pipe structs in parse tree. */
3705                 done_pipe(ctx, PIPE_SEQ);
3706         }
3707 #endif
3708 #if ENABLE_HUSH_CASE
3709         /* Force CASE to have just one word */
3710         if (ctx->ctx_res_w == RES_CASE) {
3711                 done_pipe(ctx, PIPE_SEQ);
3712         }
3713 #endif
3714
3715         o_reset_to_empty_unquoted(word);
3716
3717         debug_printf_parse("done_word return 0\n");
3718         return 0;
3719 }
3720
3721
3722 /* Peek ahead in the input to find out if we have a "&n" construct,
3723  * as in "2>&1", that represents duplicating a file descriptor.
3724  * Return:
3725  * REDIRFD_CLOSE if >&- "close fd" construct is seen,
3726  * REDIRFD_SYNTAX_ERR if syntax error,
3727  * REDIRFD_TO_FILE if no & was seen,
3728  * or the number found.
3729  */
3730 #if BB_MMU
3731 #define parse_redir_right_fd(as_string, input) \
3732         parse_redir_right_fd(input)
3733 #endif
3734 static int parse_redir_right_fd(o_string *as_string, struct in_str *input)
3735 {
3736         int ch, d, ok;
3737
3738         ch = i_peek(input);
3739         if (ch != '&')
3740                 return REDIRFD_TO_FILE;
3741
3742         ch = i_getch(input);  /* get the & */
3743         nommu_addchr(as_string, ch);
3744         ch = i_peek(input);
3745         if (ch == '-') {
3746                 ch = i_getch(input);
3747                 nommu_addchr(as_string, ch);
3748                 return REDIRFD_CLOSE;
3749         }
3750         d = 0;
3751         ok = 0;
3752         while (ch != EOF && isdigit(ch)) {
3753                 d = d*10 + (ch-'0');
3754                 ok = 1;
3755                 ch = i_getch(input);
3756                 nommu_addchr(as_string, ch);
3757                 ch = i_peek(input);
3758         }
3759         if (ok) return d;
3760
3761 //TODO: this is the place to catch ">&file" bashism (redirect both fd 1 and 2)
3762
3763         bb_error_msg("ambiguous redirect");
3764         return REDIRFD_SYNTAX_ERR;
3765 }
3766
3767 /* Return code is 0 normal, 1 if a syntax error is detected
3768  */
3769 static int parse_redirect(struct parse_context *ctx,
3770                 int fd,
3771                 redir_type style,
3772                 struct in_str *input)
3773 {
3774         struct command *command = ctx->command;
3775         struct redir_struct *redir;
3776         struct redir_struct **redirp;
3777         int dup_num;
3778
3779         dup_num = REDIRFD_TO_FILE;
3780         if (style != REDIRECT_HEREDOC) {
3781                 /* Check for a '>&1' type redirect */
3782                 dup_num = parse_redir_right_fd(&ctx->as_string, input);
3783                 if (dup_num == REDIRFD_SYNTAX_ERR)
3784                         return 1;
3785         } else {
3786                 int ch = i_peek(input);
3787                 dup_num = (ch == '-'); /* HEREDOC_SKIPTABS bit is 1 */
3788                 if (dup_num) { /* <<-... */
3789                         ch = i_getch(input);
3790                         nommu_addchr(&ctx->as_string, ch);
3791                         ch = i_peek(input);
3792                 }
3793         }
3794
3795         if (style == REDIRECT_OVERWRITE && dup_num == REDIRFD_TO_FILE) {
3796                 int ch = i_peek(input);
3797                 if (ch == '|') {
3798                         /* >|FILE redirect ("clobbering" >).
3799                          * Since we do not support "set -o noclobber" yet,
3800                          * >| and > are the same for now. Just eat |.
3801                          */
3802                         ch = i_getch(input);
3803                         nommu_addchr(&ctx->as_string, ch);
3804                 }
3805         }
3806
3807         /* Create a new redir_struct and append it to the linked list */
3808         redirp = &command->redirects;
3809         while ((redir = *redirp) != NULL) {
3810                 redirp = &(redir->next);
3811         }
3812         *redirp = redir = xzalloc(sizeof(*redir));
3813         /* redir->next = NULL; */
3814         /* redir->rd_filename = NULL; */
3815         redir->rd_type = style;
3816         redir->rd_fd = (fd == -1) ? redir_table[style].default_fd : fd;
3817
3818         debug_printf_parse("redirect type %d %s\n", redir->rd_fd,
3819                                 redir_table[style].descrip);
3820
3821         redir->rd_dup = dup_num;
3822         if (style != REDIRECT_HEREDOC && dup_num != REDIRFD_TO_FILE) {
3823                 /* Erik had a check here that the file descriptor in question
3824                  * is legit; I postpone that to "run time"
3825                  * A "-" representation of "close me" shows up as a -3 here */
3826                 debug_printf_parse("duplicating redirect '%d>&%d'\n",
3827                                 redir->rd_fd, redir->rd_dup);
3828         } else {
3829 #if 0           /* Instead we emit error message at run time */
3830                 if (ctx->pending_redirect) {
3831                         /* For example, "cmd > <file" */
3832                         die_if_script("syntax error: %s", "invalid redirect");
3833                 }
3834 #endif
3835                 /* Set ctx->pending_redirect, so we know what to do at the
3836                  * end of the next parsed word. */
3837                 ctx->pending_redirect = redir;
3838         }
3839         return 0;
3840 }
3841
3842 /* If a redirect is immediately preceded by a number, that number is
3843  * supposed to tell which file descriptor to redirect.  This routine
3844  * looks for such preceding numbers.  In an ideal world this routine
3845  * needs to handle all the following classes of redirects...
3846  *     echo 2>foo     # redirects fd  2 to file "foo", nothing passed to echo
3847  *     echo 49>foo    # redirects fd 49 to file "foo", nothing passed to echo
3848  *     echo -2>foo    # redirects fd  1 to file "foo",    "-2" passed to echo
3849  *     echo 49x>foo   # redirects fd  1 to file "foo",   "49x" passed to echo
3850  *
3851  * http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html
3852  * "2.7 Redirection
3853  * ... If n is quoted, the number shall not be recognized as part of
3854  * the redirection expression. For example:
3855  * echo \2>a
3856  * writes the character 2 into file a"
3857  * We are getting it right by setting ->has_quoted_part on any \<char>
3858  *
3859  * A -1 return means no valid number was found,
3860  * the caller should use the appropriate default for this redirection.
3861  */
3862 static int redirect_opt_num(o_string *o)
3863 {
3864         int num;
3865
3866         if (o->data == NULL)
3867                 return -1;
3868         num = bb_strtou(o->data, NULL, 10);
3869         if (errno || num < 0)
3870                 return -1;
3871         o_reset_to_empty_unquoted(o);
3872         return num;
3873 }
3874
3875 #if BB_MMU
3876 #define fetch_till_str(as_string, input, word, skip_tabs) \
3877         fetch_till_str(input, word, skip_tabs)
3878 #endif
3879 static char *fetch_till_str(o_string *as_string,
3880                 struct in_str *input,
3881                 const char *word,
3882                 int heredoc_flags)
3883 {
3884         o_string heredoc = NULL_O_STRING;
3885         unsigned past_EOL;
3886         int prev = 0; /* not \ */
3887         int ch;
3888
3889         goto jump_in;
3890
3891         while (1) {
3892                 ch = i_getch(input);
3893                 if (ch != EOF)
3894                         nommu_addchr(as_string, ch);
3895                 if ((ch == '\n' || ch == EOF)
3896                  && ((heredoc_flags & HEREDOC_QUOTED) || prev != '\\')
3897                 ) {
3898                         if (strcmp(heredoc.data + past_EOL, word) == 0) {
3899                                 heredoc.data[past_EOL] = '\0';
3900                                 debug_printf_parse("parsed heredoc '%s'\n", heredoc.data);
3901                                 return heredoc.data;
3902                         }
3903                         while (ch == '\n') {
3904                                 o_addchr(&heredoc, ch);
3905                                 prev = ch;
3906  jump_in:
3907                                 past_EOL = heredoc.length;
3908                                 do {
3909                                         ch = i_getch(input);
3910                                         if (ch != EOF)
3911                                                 nommu_addchr(as_string, ch);
3912                                 } while ((heredoc_flags & HEREDOC_SKIPTABS) && ch == '\t');
3913                         }
3914                 }
3915                 if (ch == EOF) {
3916                         o_free_unsafe(&heredoc);
3917                         return NULL;
3918                 }
3919                 o_addchr(&heredoc, ch);
3920                 nommu_addchr(as_string, ch);
3921                 if (prev == '\\' && ch == '\\')
3922                         /* Correctly handle foo\\<eol> (not a line cont.) */
3923                         prev = 0; /* not \ */
3924                 else
3925                         prev = ch;
3926         }
3927 }
3928
3929 /* Look at entire parse tree for not-yet-loaded REDIRECT_HEREDOCs
3930  * and load them all. There should be exactly heredoc_cnt of them.
3931  */
3932 static int fetch_heredocs(int heredoc_cnt, struct parse_context *ctx, struct in_str *input)
3933 {
3934         struct pipe *pi = ctx->list_head;
3935
3936         while (pi && heredoc_cnt) {
3937                 int i;
3938                 struct command *cmd = pi->cmds;
3939
3940                 debug_printf_parse("fetch_heredocs: num_cmds:%d cmd argv0:'%s'\n",
3941                                 pi->num_cmds,
3942                                 cmd->argv ? cmd->argv[0] : "NONE");
3943                 for (i = 0; i < pi->num_cmds; i++) {
3944                         struct redir_struct *redir = cmd->redirects;
3945
3946                         debug_printf_parse("fetch_heredocs: %d cmd argv0:'%s'\n",
3947                                         i, cmd->argv ? cmd->argv[0] : "NONE");
3948                         while (redir) {
3949                                 if (redir->rd_type == REDIRECT_HEREDOC) {
3950                                         char *p;
3951
3952                                         redir->rd_type = REDIRECT_HEREDOC2;
3953                                         /* redir->rd_dup is (ab)used to indicate <<- */
3954                                         p = fetch_till_str(&ctx->as_string, input,
3955                                                         redir->rd_filename, redir->rd_dup);
3956                                         if (!p) {
3957                                                 syntax_error("unexpected EOF in here document");
3958                                                 return 1;
3959                                         }
3960                                         free(redir->rd_filename);
3961                                         redir->rd_filename = p;
3962                                         heredoc_cnt--;
3963                                 }
3964                                 redir = redir->next;
3965                         }
3966                         cmd++;
3967                 }
3968                 pi = pi->next;
3969         }
3970 #if 0
3971         /* Should be 0. If it isn't, it's a parse error */
3972         if (heredoc_cnt)
3973                 bb_error_msg_and_die("heredoc BUG 2");
3974 #endif
3975         return 0;
3976 }
3977
3978
3979 static int run_list(struct pipe *pi);
3980 #if BB_MMU
3981 #define parse_stream(pstring, input, end_trigger) \
3982         parse_stream(input, end_trigger)
3983 #endif
3984 static struct pipe *parse_stream(char **pstring,
3985                 struct in_str *input,
3986                 int end_trigger);
3987
3988
3989 #if !ENABLE_HUSH_FUNCTIONS
3990 #define parse_group(dest, ctx, input, ch) \
3991         parse_group(ctx, input, ch)
3992 #endif
3993 static int parse_group(o_string *dest, struct parse_context *ctx,
3994         struct in_str *input, int ch)
3995 {
3996         /* dest contains characters seen prior to ( or {.
3997          * Typically it's empty, but for function defs,
3998          * it contains function name (without '()'). */
3999         struct pipe *pipe_list;
4000         int endch;
4001         struct command *command = ctx->command;
4002
4003         debug_printf_parse("parse_group entered\n");
4004 #if ENABLE_HUSH_FUNCTIONS
4005         if (ch == '(' && !dest->has_quoted_part) {
4006                 if (dest->length)
4007                         if (done_word(dest, ctx))
4008                                 return 1;
4009                 if (!command->argv)
4010                         goto skip; /* (... */
4011                 if (command->argv[1]) { /* word word ... (... */
4012                         syntax_error_unexpected_ch('(');
4013                         return 1;
4014                 }
4015                 /* it is "word(..." or "word (..." */
4016                 do
4017                         ch = i_getch(input);
4018                 while (ch == ' ' || ch == '\t');
4019                 if (ch != ')') {
4020                         syntax_error_unexpected_ch(ch);
4021                         return 1;
4022                 }
4023                 nommu_addchr(&ctx->as_string, ch);
4024                 do
4025                         ch = i_getch(input);
4026                 while (ch == ' ' || ch == '\t' || ch == '\n');
4027                 if (ch != '{') {
4028                         syntax_error_unexpected_ch(ch);
4029                         return 1;
4030                 }
4031                 nommu_addchr(&ctx->as_string, ch);
4032                 command->cmd_type = CMD_FUNCDEF;
4033                 goto skip;
4034         }
4035 #endif
4036
4037 #if 0 /* Prevented by caller */
4038         if (command->argv /* word [word]{... */
4039          || dest->length /* word{... */
4040          || dest->has_quoted_part /* ""{... */
4041         ) {
4042                 syntax_error(NULL);
4043                 debug_printf_parse("parse_group return 1: "
4044                         "syntax error, groups and arglists don't mix\n");
4045                 return 1;
4046         }
4047 #endif
4048
4049 #if ENABLE_HUSH_FUNCTIONS
4050  skip:
4051 #endif
4052         endch = '}';
4053         if (ch == '(') {
4054                 endch = ')';
4055                 command->cmd_type = CMD_SUBSHELL;
4056         } else {
4057                 /* bash does not allow "{echo...", requires whitespace */
4058                 ch = i_peek(input);
4059                 if (ch != ' ' && ch != '\t' && ch != '\n'
4060                  && ch != '('   /* but "{(..." is allowed (without whitespace) */
4061                 ) {
4062                         syntax_error_unexpected_ch(ch);
4063                         return 1;
4064                 }
4065                 if (ch != '(') {
4066                         ch = i_getch(input);
4067                         nommu_addchr(&ctx->as_string, ch);
4068                 }
4069         }
4070
4071         {
4072 #if BB_MMU
4073 # define as_string NULL
4074 #else
4075                 char *as_string = NULL;
4076 #endif
4077                 pipe_list = parse_stream(&as_string, input, endch);
4078 #if !BB_MMU
4079                 if (as_string)
4080                         o_addstr(&ctx->as_string, as_string);
4081 #endif
4082                 /* empty ()/{} or parse error? */
4083                 if (!pipe_list || pipe_list == ERR_PTR) {
4084                         /* parse_stream already emitted error msg */
4085                         if (!BB_MMU)
4086                                 free(as_string);
4087                         debug_printf_parse("parse_group return 1: "
4088                                 "parse_stream returned %p\n", pipe_list);
4089                         return 1;
4090                 }
4091                 command->group = pipe_list;
4092 #if !BB_MMU
4093                 as_string[strlen(as_string) - 1] = '\0'; /* plink ')' or '}' */
4094                 command->group_as_string = as_string;
4095                 debug_printf_parse("end of group, remembering as:'%s'\n",
4096                                 command->group_as_string);
4097 #endif
4098 #undef as_string
4099         }
4100         debug_printf_parse("parse_group return 0\n");
4101         return 0;
4102         /* command remains "open", available for possible redirects */
4103 }
4104
4105 static int i_getch_and_eat_bkslash_nl(struct in_str *input)
4106 {
4107         for (;;) {
4108                 int ch, ch2;
4109
4110                 ch = i_getch(input);
4111                 if (ch != '\\')
4112                         return ch;
4113                 ch2 = i_peek(input);
4114                 if (ch2 != '\n')
4115                         return ch;
4116                 /* backslash+newline, skip it */
4117                 i_getch(input);
4118         }
4119 }
4120
4121 static int i_peek_and_eat_bkslash_nl(struct in_str *input)
4122 {
4123         for (;;) {
4124                 int ch, ch2;
4125
4126                 ch = i_peek(input);
4127                 if (ch != '\\')
4128                         return ch;
4129                 ch2 = i_peek2(input);
4130                 if (ch2 != '\n')
4131                         return ch;
4132                 /* backslash+newline, skip it */
4133                 i_getch(input);
4134                 i_getch(input);
4135         }
4136 }
4137
4138 #if ENABLE_HUSH_TICK || ENABLE_FEATURE_SH_MATH || ENABLE_HUSH_DOLLAR_OPS
4139 /* Subroutines for copying $(...) and `...` things */
4140 static int add_till_backquote(o_string *dest, struct in_str *input, int in_dquote);
4141 /* '...' */
4142 static int add_till_single_quote(o_string *dest, struct in_str *input)
4143 {
4144         while (1) {
4145                 int ch = i_getch(input);
4146                 if (ch == EOF) {
4147                         syntax_error_unterm_ch('\'');
4148                         return 0;
4149                 }
4150                 if (ch == '\'')
4151                         return 1;
4152                 o_addchr(dest, ch);
4153         }
4154 }
4155 /* "...\"...`..`...." - do we need to handle "...$(..)..." too? */
4156 static int add_till_double_quote(o_string *dest, struct in_str *input)
4157 {
4158         while (1) {
4159                 int ch = i_getch(input);
4160                 if (ch == EOF) {
4161                         syntax_error_unterm_ch('"');
4162                         return 0;
4163                 }
4164                 if (ch == '"')
4165                         return 1;
4166                 if (ch == '\\') {  /* \x. Copy both chars. */
4167                         o_addchr(dest, ch);
4168                         ch = i_getch(input);
4169                 }
4170                 o_addchr(dest, ch);
4171                 if (ch == '`') {
4172                         if (!add_till_backquote(dest, input, /*in_dquote:*/ 1))
4173                                 return 0;
4174                         o_addchr(dest, ch);
4175                         continue;
4176                 }
4177                 //if (ch == '$') ...
4178         }
4179 }
4180 /* Process `cmd` - copy contents until "`" is seen. Complicated by
4181  * \` quoting.
4182  * "Within the backquoted style of command substitution, backslash
4183  * shall retain its literal meaning, except when followed by: '$', '`', or '\'.
4184  * The search for the matching backquote shall be satisfied by the first
4185  * backquote found without a preceding backslash; during this search,
4186  * if a non-escaped backquote is encountered within a shell comment,
4187  * a here-document, an embedded command substitution of the $(command)
4188  * form, or a quoted string, undefined results occur. A single-quoted
4189  * or double-quoted string that begins, but does not end, within the
4190  * "`...`" sequence produces undefined results."
4191  * Example                               Output
4192  * echo `echo '\'TEST\`echo ZZ\`BEST`    \TESTZZBEST
4193  */
4194 static int add_till_backquote(o_string *dest, struct in_str *input, int in_dquote)
4195 {
4196         while (1) {
4197                 int ch = i_getch(input);
4198                 if (ch == '`')
4199                         return 1;
4200                 if (ch == '\\') {
4201                         /* \x. Copy both unless it is \`, \$, \\ and maybe \" */
4202                         ch = i_getch(input);
4203                         if (ch != '`'
4204                          && ch != '$'
4205                          && ch != '\\'
4206                          && (!in_dquote || ch != '"')
4207                         ) {
4208                                 o_addchr(dest, '\\');
4209                         }
4210                 }
4211                 if (ch == EOF) {
4212                         syntax_error_unterm_ch('`');
4213                         return 0;
4214                 }
4215                 o_addchr(dest, ch);
4216         }
4217 }
4218 /* Process $(cmd) - copy contents until ")" is seen. Complicated by
4219  * quoting and nested ()s.
4220  * "With the $(command) style of command substitution, all characters
4221  * following the open parenthesis to the matching closing parenthesis
4222  * constitute the command. Any valid shell script can be used for command,
4223  * except a script consisting solely of redirections which produces
4224  * unspecified results."
4225  * Example                              Output
4226  * echo $(echo '(TEST)' BEST)           (TEST) BEST
4227  * echo $(echo 'TEST)' BEST)            TEST) BEST
4228  * echo $(echo \(\(TEST\) BEST)         ((TEST) BEST
4229  *
4230  * Also adapted to eat ${var%...} and $((...)) constructs, since ... part
4231  * can contain arbitrary constructs, just like $(cmd).
4232  * In bash compat mode, it needs to also be able to stop on ':' or '/'
4233  * for ${var:N[:M]} and ${var/P[/R]} parsing.
4234  */
4235 #define DOUBLE_CLOSE_CHAR_FLAG 0x80
4236 static int add_till_closing_bracket(o_string *dest, struct in_str *input, unsigned end_ch)
4237 {
4238         int ch;
4239         char dbl = end_ch & DOUBLE_CLOSE_CHAR_FLAG;
4240 # if ENABLE_HUSH_BASH_COMPAT
4241         char end_char2 = end_ch >> 8;
4242 # endif
4243         end_ch &= (DOUBLE_CLOSE_CHAR_FLAG - 1);
4244
4245         while (1) {
4246                 ch = i_getch(input);
4247                 if (ch == EOF) {
4248                         syntax_error_unterm_ch(end_ch);
4249                         return 0;
4250                 }
4251                 if (ch == end_ch  IF_HUSH_BASH_COMPAT( || ch == end_char2)) {
4252                         if (!dbl)
4253                                 break;
4254                         /* we look for closing )) of $((EXPR)) */
4255                         if (i_peek_and_eat_bkslash_nl(input) == end_ch) {
4256                                 i_getch(input); /* eat second ')' */
4257                                 break;
4258                         }
4259                 }
4260                 o_addchr(dest, ch);
4261                 if (ch == '(' || ch == '{') {
4262                         ch = (ch == '(' ? ')' : '}');
4263                         if (!add_till_closing_bracket(dest, input, ch))
4264                                 return 0;
4265                         o_addchr(dest, ch);
4266                         continue;
4267                 }
4268                 if (ch == '\'') {
4269                         if (!add_till_single_quote(dest, input))
4270                                 return 0;
4271                         o_addchr(dest, ch);
4272                         continue;
4273                 }
4274                 if (ch == '"') {
4275                         if (!add_till_double_quote(dest, input))
4276                                 return 0;
4277                         o_addchr(dest, ch);
4278                         continue;
4279                 }
4280                 if (ch == '`') {
4281                         if (!add_till_backquote(dest, input, /*in_dquote:*/ 0))
4282                                 return 0;
4283                         o_addchr(dest, ch);
4284                         continue;
4285                 }
4286                 if (ch == '\\') {
4287                         /* \x. Copy verbatim. Important for  \(, \) */
4288                         ch = i_getch(input);
4289                         if (ch == EOF) {
4290                                 syntax_error_unterm_ch(')');
4291                                 return 0;
4292                         }
4293 #if 0
4294                         if (ch == '\n') {
4295                                 /* "backslash+newline", ignore both */
4296                                 o_delchr(dest); /* undo insertion of '\' */
4297                                 continue;
4298                         }
4299 #endif
4300                         o_addchr(dest, ch);
4301                         continue;
4302                 }
4303         }
4304         return ch;
4305 }
4306 #endif /* ENABLE_HUSH_TICK || ENABLE_FEATURE_SH_MATH || ENABLE_HUSH_DOLLAR_OPS */
4307
4308 /* Return code: 0 for OK, 1 for syntax error */
4309 #if BB_MMU
4310 #define parse_dollar(as_string, dest, input, quote_mask) \
4311         parse_dollar(dest, input, quote_mask)
4312 #define as_string NULL
4313 #endif
4314 static int parse_dollar(o_string *as_string,
4315                 o_string *dest,
4316                 struct in_str *input, unsigned char quote_mask)
4317 {
4318         int ch = i_peek_and_eat_bkslash_nl(input);  /* first character after the $ */
4319
4320         debug_printf_parse("parse_dollar entered: ch='%c'\n", ch);
4321         if (isalpha(ch)) {
4322                 ch = i_getch(input);
4323                 nommu_addchr(as_string, ch);
4324  make_var:
4325                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4326                 while (1) {
4327                         debug_printf_parse(": '%c'\n", ch);
4328                         o_addchr(dest, ch | quote_mask);
4329                         quote_mask = 0;
4330                         ch = i_peek_and_eat_bkslash_nl(input);
4331                         if (!isalnum(ch) && ch != '_') {
4332                                 /* End of variable name reached */
4333                                 break;
4334                         }
4335                         ch = i_getch(input);
4336                         nommu_addchr(as_string, ch);
4337                 }
4338                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4339         } else if (isdigit(ch)) {
4340  make_one_char_var:
4341                 ch = i_getch(input);
4342                 nommu_addchr(as_string, ch);
4343                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4344                 debug_printf_parse(": '%c'\n", ch);
4345                 o_addchr(dest, ch | quote_mask);
4346                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4347         } else switch (ch) {
4348         case '$': /* pid */
4349         case '!': /* last bg pid */
4350         case '?': /* last exit code */
4351         case '#': /* number of args */
4352         case '*': /* args */
4353         case '@': /* args */
4354                 goto make_one_char_var;
4355         case '{': {
4356                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4357
4358                 ch = i_getch(input); /* eat '{' */
4359                 nommu_addchr(as_string, ch);
4360
4361                 ch = i_getch_and_eat_bkslash_nl(input); /* first char after '{' */
4362                 /* It should be ${?}, or ${#var},
4363                  * or even ${?+subst} - operator acting on a special variable,
4364                  * or the beginning of variable name.
4365                  */
4366                 if (ch == EOF
4367                  || (!strchr(_SPECIAL_VARS_STR, ch) && !isalnum(ch)) /* not one of those */
4368                 ) {
4369  bad_dollar_syntax:
4370                         syntax_error_unterm_str("${name}");
4371                         debug_printf_parse("parse_dollar return 0: unterminated ${name}\n");
4372                         return 0;
4373                 }
4374                 nommu_addchr(as_string, ch);
4375                 ch |= quote_mask;
4376
4377                 /* It's possible to just call add_till_closing_bracket() at this point.
4378                  * However, this regresses some of our testsuite cases
4379                  * which check invalid constructs like ${%}.
4380                  * Oh well... let's check that the var name part is fine... */
4381
4382                 while (1) {
4383                         unsigned pos;
4384
4385                         o_addchr(dest, ch);
4386                         debug_printf_parse(": '%c'\n", ch);
4387
4388                         ch = i_getch(input);
4389                         nommu_addchr(as_string, ch);
4390                         if (ch == '}')
4391                                 break;
4392
4393                         if (!isalnum(ch) && ch != '_') {
4394                                 unsigned end_ch;
4395                                 unsigned char last_ch;
4396                                 /* handle parameter expansions
4397                                  * http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html#tag_02_06_02
4398                                  */
4399                                 if (!strchr(VAR_SUBST_OPS, ch)) /* ${var<bad_char>... */
4400                                         goto bad_dollar_syntax;
4401
4402                                 /* Eat everything until closing '}' (or ':') */
4403                                 end_ch = '}';
4404                                 if (ENABLE_HUSH_BASH_COMPAT
4405                                  && ch == ':'
4406                                  && !strchr(MINUS_PLUS_EQUAL_QUESTION, i_peek(input))
4407                                 ) {
4408                                         /* It's ${var:N[:M]} thing */
4409                                         end_ch = '}' * 0x100 + ':';
4410                                 }
4411                                 if (ENABLE_HUSH_BASH_COMPAT
4412                                  && ch == '/'
4413                                 ) {
4414                                         /* It's ${var/[/]pattern[/repl]} thing */
4415                                         if (i_peek(input) == '/') { /* ${var//pattern[/repl]}? */
4416                                                 i_getch(input);
4417                                                 nommu_addchr(as_string, '/');
4418                                                 ch = '\\';
4419                                         }
4420                                         end_ch = '}' * 0x100 + '/';
4421                                 }
4422                                 o_addchr(dest, ch);
4423  again:
4424                                 if (!BB_MMU)
4425                                         pos = dest->length;
4426 #if ENABLE_HUSH_DOLLAR_OPS
4427                                 last_ch = add_till_closing_bracket(dest, input, end_ch);
4428                                 if (last_ch == 0) /* error? */
4429                                         return 0;
4430 #else
4431 #error Simple code to only allow ${var} is not implemented
4432 #endif
4433                                 if (as_string) {
4434                                         o_addstr(as_string, dest->data + pos);
4435                                         o_addchr(as_string, last_ch);
4436                                 }
4437
4438                                 if (ENABLE_HUSH_BASH_COMPAT && (end_ch & 0xff00)) {
4439                                         /* close the first block: */
4440                                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
4441                                         /* while parsing N from ${var:N[:M]}
4442                                          * or pattern from ${var/[/]pattern[/repl]} */
4443                                         if ((end_ch & 0xff) == last_ch) {
4444                                                 /* got ':' or '/'- parse the rest */
4445                                                 end_ch = '}';
4446                                                 goto again;
4447                                         }
4448                                         /* got '}' */
4449                                         if (end_ch == '}' * 0x100 + ':') {
4450                                                 /* it's ${var:N} - emulate :999999999 */
4451                                                 o_addstr(dest, "999999999");
4452                                         } /* else: it's ${var/[/]pattern} */
4453                                 }
4454                                 break;
4455                         }
4456                 }
4457                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4458                 break;
4459         }
4460 #if ENABLE_FEATURE_SH_MATH || ENABLE_HUSH_TICK
4461         case '(': {
4462                 unsigned pos;
4463
4464                 ch = i_getch(input);
4465                 nommu_addchr(as_string, ch);
4466 # if ENABLE_FEATURE_SH_MATH
4467                 if (i_peek_and_eat_bkslash_nl(input) == '(') {
4468                         ch = i_getch(input);
4469                         nommu_addchr(as_string, ch);
4470                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
4471                         o_addchr(dest, /*quote_mask |*/ '+');
4472                         if (!BB_MMU)
4473                                 pos = dest->length;
4474                         if (!add_till_closing_bracket(dest, input, ')' | DOUBLE_CLOSE_CHAR_FLAG))
4475                                 return 0; /* error */
4476                         if (as_string) {
4477                                 o_addstr(as_string, dest->data + pos);
4478                                 o_addchr(as_string, ')');
4479                                 o_addchr(as_string, ')');
4480                         }
4481                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
4482                         break;
4483                 }
4484 # endif
4485 # if ENABLE_HUSH_TICK
4486                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4487                 o_addchr(dest, quote_mask | '`');
4488                 if (!BB_MMU)
4489                         pos = dest->length;
4490                 if (!add_till_closing_bracket(dest, input, ')'))
4491                         return 0; /* error */
4492                 if (as_string) {
4493                         o_addstr(as_string, dest->data + pos);
4494                         o_addchr(as_string, ')');
4495                 }
4496                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4497 # endif
4498                 break;
4499         }
4500 #endif
4501         case '_':
4502                 ch = i_getch(input);
4503                 nommu_addchr(as_string, ch);
4504                 ch = i_peek_and_eat_bkslash_nl(input);
4505                 if (isalnum(ch)) { /* it's $_name or $_123 */
4506                         ch = '_';
4507                         goto make_var;
4508                 }
4509                 /* else: it's $_ */
4510         /* TODO: $_ and $-: */
4511         /* $_ Shell or shell script name; or last argument of last command
4512          * (if last command wasn't a pipe; if it was, bash sets $_ to "");
4513          * but in command's env, set to full pathname used to invoke it */
4514         /* $- Option flags set by set builtin or shell options (-i etc) */
4515         default:
4516                 o_addQchr(dest, '$');
4517         }
4518         debug_printf_parse("parse_dollar return 1 (ok)\n");
4519         return 1;
4520 #undef as_string
4521 }
4522
4523 #if BB_MMU
4524 # if ENABLE_HUSH_BASH_COMPAT
4525 #define encode_string(as_string, dest, input, dquote_end, process_bkslash) \
4526         encode_string(dest, input, dquote_end, process_bkslash)
4527 # else
4528 /* only ${var/pattern/repl} (its pattern part) needs additional mode */
4529 #define encode_string(as_string, dest, input, dquote_end, process_bkslash) \
4530         encode_string(dest, input, dquote_end)
4531 # endif
4532 #define as_string NULL
4533
4534 #else /* !MMU */
4535
4536 # if ENABLE_HUSH_BASH_COMPAT
4537 /* all parameters are needed, no macro tricks */
4538 # else
4539 #define encode_string(as_string, dest, input, dquote_end, process_bkslash) \
4540         encode_string(as_string, dest, input, dquote_end)
4541 # endif
4542 #endif
4543 static int encode_string(o_string *as_string,
4544                 o_string *dest,
4545                 struct in_str *input,
4546                 int dquote_end,
4547                 int process_bkslash)
4548 {
4549 #if !ENABLE_HUSH_BASH_COMPAT
4550         const int process_bkslash = 1;
4551 #endif
4552         int ch;
4553         int next;
4554
4555  again:
4556         ch = i_getch(input);
4557         if (ch != EOF)
4558                 nommu_addchr(as_string, ch);
4559         if (ch == dquote_end) { /* may be only '"' or EOF */
4560                 debug_printf_parse("encode_string return 1 (ok)\n");
4561                 return 1;
4562         }
4563         /* note: can't move it above ch == dquote_end check! */
4564         if (ch == EOF) {
4565                 syntax_error_unterm_ch('"');
4566                 return 0; /* error */
4567         }
4568         next = '\0';
4569         if (ch != '\n') {
4570                 next = i_peek(input);
4571         }
4572         debug_printf_parse("\" ch=%c (%d) escape=%d\n",
4573                         ch, ch, !!(dest->o_expflags & EXP_FLAG_ESC_GLOB_CHARS));
4574         if (process_bkslash && ch == '\\') {
4575                 if (next == EOF) {
4576                         syntax_error("\\<eof>");
4577                         xfunc_die();
4578                 }
4579                 /* bash:
4580                  * "The backslash retains its special meaning [in "..."]
4581                  * only when followed by one of the following characters:
4582                  * $, `, ", \, or <newline>.  A double quote may be quoted
4583                  * within double quotes by preceding it with a backslash."
4584                  * NB: in (unquoted) heredoc, above does not apply to ",
4585                  * therefore we check for it by "next == dquote_end" cond.
4586                  */
4587                 if (next == dquote_end || strchr("$`\\\n", next)) {
4588                         ch = i_getch(input); /* eat next */
4589                         if (ch == '\n')
4590                                 goto again; /* skip \<newline> */
4591                 } /* else: ch remains == '\\', and we double it below: */
4592                 o_addqchr(dest, ch); /* \c if c is a glob char, else just c */
4593                 nommu_addchr(as_string, ch);
4594                 goto again;
4595         }
4596         if (ch == '$') {
4597                 if (!parse_dollar(as_string, dest, input, /*quote_mask:*/ 0x80)) {
4598                         debug_printf_parse("encode_string return 0: "
4599                                         "parse_dollar returned 0 (error)\n");
4600                         return 0;
4601                 }
4602                 goto again;
4603         }
4604 #if ENABLE_HUSH_TICK
4605         if (ch == '`') {
4606                 //unsigned pos = dest->length;
4607                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4608                 o_addchr(dest, 0x80 | '`');
4609                 if (!add_till_backquote(dest, input, /*in_dquote:*/ dquote_end == '"'))
4610                         return 0; /* error */
4611                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4612                 //debug_printf_subst("SUBST RES3 '%s'\n", dest->data + pos);
4613                 goto again;
4614         }
4615 #endif
4616         o_addQchr(dest, ch);
4617         goto again;
4618 #undef as_string
4619 }
4620
4621 /*
4622  * Scan input until EOF or end_trigger char.
4623  * Return a list of pipes to execute, or NULL on EOF
4624  * or if end_trigger character is met.
4625  * On syntax error, exit if shell is not interactive,
4626  * reset parsing machinery and start parsing anew,
4627  * or return ERR_PTR.
4628  */
4629 static struct pipe *parse_stream(char **pstring,
4630                 struct in_str *input,
4631                 int end_trigger)
4632 {
4633         struct parse_context ctx;
4634         o_string dest = NULL_O_STRING;
4635         int heredoc_cnt;
4636
4637         /* Single-quote triggers a bypass of the main loop until its mate is
4638          * found.  When recursing, quote state is passed in via dest->o_expflags.
4639          */
4640         debug_printf_parse("parse_stream entered, end_trigger='%c'\n",
4641                         end_trigger ? end_trigger : 'X');
4642         debug_enter();
4643
4644         /* If very first arg is "" or '', dest.data may end up NULL.
4645          * Preventing this: */
4646         o_addchr(&dest, '\0');
4647         dest.length = 0;
4648
4649         /* We used to separate words on $IFS here. This was wrong.
4650          * $IFS is used only for word splitting when $var is expanded,
4651          * here we should use blank chars as separators, not $IFS
4652          */
4653
4654         if (MAYBE_ASSIGNMENT != 0)
4655                 dest.o_assignment = MAYBE_ASSIGNMENT;
4656         initialize_context(&ctx);
4657         heredoc_cnt = 0;
4658         while (1) {
4659                 const char *is_blank;
4660                 const char *is_special;
4661                 int ch;
4662                 int next;
4663                 int redir_fd;
4664                 redir_type redir_style;
4665
4666                 ch = i_getch(input);
4667                 debug_printf_parse(": ch=%c (%d) escape=%d\n",
4668                                 ch, ch, !!(dest.o_expflags & EXP_FLAG_ESC_GLOB_CHARS));
4669                 if (ch == EOF) {
4670                         struct pipe *pi;
4671
4672                         if (heredoc_cnt) {
4673                                 syntax_error_unterm_str("here document");
4674                                 goto parse_error;
4675                         }
4676                         if (end_trigger == ')') {
4677                                 syntax_error_unterm_ch('(');
4678                                 goto parse_error;
4679                         }
4680                         if (end_trigger == '}') {
4681                                 syntax_error_unterm_ch('{');
4682                                 goto parse_error;
4683                         }
4684
4685                         if (done_word(&dest, &ctx)) {
4686                                 goto parse_error;
4687                         }
4688                         o_free(&dest);
4689                         done_pipe(&ctx, PIPE_SEQ);
4690                         pi = ctx.list_head;
4691                         /* If we got nothing... */
4692                         /* (this makes bare "&" cmd a no-op.
4693                          * bash says: "syntax error near unexpected token '&'") */
4694                         if (pi->num_cmds == 0
4695                         IF_HAS_KEYWORDS(&& pi->res_word == RES_NONE)
4696                         ) {
4697                                 free_pipe_list(pi);
4698                                 pi = NULL;
4699                         }
4700 #if !BB_MMU
4701                         debug_printf_parse("as_string1 '%s'\n", ctx.as_string.data);
4702                         if (pstring)
4703                                 *pstring = ctx.as_string.data;
4704                         else
4705                                 o_free_unsafe(&ctx.as_string);
4706 #endif
4707                         debug_leave();
4708                         debug_printf_parse("parse_stream return %p\n", pi);
4709                         return pi;
4710                 }
4711                 nommu_addchr(&ctx.as_string, ch);
4712
4713                 next = '\0';
4714                 if (ch != '\n')
4715                         next = i_peek(input);
4716
4717                 is_special = "{}<>;&|()#'" /* special outside of "str" */
4718                                 "\\$\"" IF_HUSH_TICK("`"); /* always special */
4719                 /* Are { and } special here? */
4720                 if (ctx.command->argv /* word [word]{... - non-special */
4721                  || dest.length       /* word{... - non-special */
4722                  || dest.has_quoted_part     /* ""{... - non-special */
4723                  || (next != ';'             /* }; - special */
4724                     && next != ')'           /* }) - special */
4725                     && next != '('           /* {( - special */
4726                     && next != '&'           /* }& and }&& ... - special */
4727                     && next != '|'           /* }|| ... - special */
4728                     && !strchr(defifs, next) /* {word - non-special */
4729                     )
4730                 ) {
4731                         /* They are not special, skip "{}" */
4732                         is_special += 2;
4733                 }
4734                 is_special = strchr(is_special, ch);
4735                 is_blank = strchr(defifs, ch);
4736
4737                 if (!is_special && !is_blank) { /* ordinary char */
4738  ordinary_char:
4739                         o_addQchr(&dest, ch);
4740                         if ((dest.o_assignment == MAYBE_ASSIGNMENT
4741                             || dest.o_assignment == WORD_IS_KEYWORD)
4742                          && ch == '='
4743                          && is_well_formed_var_name(dest.data, '=')
4744                         ) {
4745                                 dest.o_assignment = DEFINITELY_ASSIGNMENT;
4746                                 debug_printf_parse("dest.o_assignment='%s'\n", assignment_flag[dest.o_assignment]);
4747                         }
4748                         continue;
4749                 }
4750
4751                 if (is_blank) {
4752                         if (done_word(&dest, &ctx)) {
4753                                 goto parse_error;
4754                         }
4755                         if (ch == '\n') {
4756                                 /* Is this a case when newline is simply ignored?
4757                                  * Some examples:
4758                                  * "cmd | <newline> cmd ..."
4759                                  * "case ... in <newline> word) ..."
4760                                  */
4761                                 if (IS_NULL_CMD(ctx.command)
4762                                  && dest.length == 0 && !dest.has_quoted_part
4763                                 ) {
4764                                         /* This newline can be ignored. But...
4765                                          * Without check #1, interactive shell
4766                                          * ignores even bare <newline>,
4767                                          * and shows the continuation prompt:
4768                                          * ps1_prompt$ <enter>
4769                                          * ps2> _   <=== wrong, should be ps1
4770                                          * Without check #2, "cmd & <newline>"
4771                                          * is similarly mistreated.
4772                                          * (BTW, this makes "cmd & cmd"
4773                                          * and "cmd && cmd" non-orthogonal.
4774                                          * Really, ask yourself, why
4775                                          * "cmd && <newline>" doesn't start
4776                                          * cmd but waits for more input?
4777                                          * No reason...)
4778                                          */
4779                                         struct pipe *pi = ctx.list_head;
4780                                         if (pi->num_cmds != 0       /* check #1 */
4781                                          && pi->followup != PIPE_BG /* check #2 */
4782                                         ) {
4783                                                 continue;
4784                                         }
4785                                 }
4786                                 /* Treat newline as a command separator. */
4787                                 done_pipe(&ctx, PIPE_SEQ);
4788                                 debug_printf_parse("heredoc_cnt:%d\n", heredoc_cnt);
4789                                 if (heredoc_cnt) {
4790                                         if (fetch_heredocs(heredoc_cnt, &ctx, input)) {
4791                                                 goto parse_error;
4792                                         }
4793                                         heredoc_cnt = 0;
4794                                 }
4795                                 dest.o_assignment = MAYBE_ASSIGNMENT;
4796                                 debug_printf_parse("dest.o_assignment='%s'\n", assignment_flag[dest.o_assignment]);
4797                                 ch = ';';
4798                                 /* note: if (is_blank) continue;
4799                                  * will still trigger for us */
4800                         }
4801                 }
4802
4803                 /* "cmd}" or "cmd }..." without semicolon or &:
4804                  * } is an ordinary char in this case, even inside { cmd; }
4805                  * Pathological example: { ""}; } should exec "}" cmd
4806                  */
4807                 if (ch == '}') {
4808                         if (dest.length != 0 /* word} */
4809                          || dest.has_quoted_part    /* ""} */
4810                         ) {
4811                                 goto ordinary_char;
4812                         }
4813                         if (!IS_NULL_CMD(ctx.command)) { /* cmd } */
4814                                 /* Generally, there should be semicolon: "cmd; }"
4815                                  * However, bash allows to omit it if "cmd" is
4816                                  * a group. Examples:
4817                                  * { { echo 1; } }
4818                                  * {(echo 1)}
4819                                  * { echo 0 >&2 | { echo 1; } }
4820                                  * { while false; do :; done }
4821                                  * { case a in b) ;; esac }
4822                                  */
4823                                 if (ctx.command->group)
4824                                         goto term_group;
4825                                 goto ordinary_char;
4826                         }
4827                         if (!IS_NULL_PIPE(ctx.pipe)) /* cmd | } */
4828                                 /* Can't be an end of {cmd}, skip the check */
4829                                 goto skip_end_trigger;
4830                         /* else: } does terminate a group */
4831                 }
4832  term_group:
4833                 if (end_trigger && end_trigger == ch
4834                  && (ch != ';' || heredoc_cnt == 0)
4835 #if ENABLE_HUSH_CASE
4836                  && (ch != ')'
4837                     || ctx.ctx_res_w != RES_MATCH
4838                     || (!dest.has_quoted_part && strcmp(dest.data, "esac") == 0)
4839                     )
4840 #endif
4841                 ) {
4842                         if (heredoc_cnt) {
4843                                 /* This is technically valid:
4844                                  * { cat <<HERE; }; echo Ok
4845                                  * heredoc
4846                                  * heredoc
4847                                  * HERE
4848                                  * but we don't support this.
4849                                  * We require heredoc to be in enclosing {}/(),
4850                                  * if any.
4851                                  */
4852                                 syntax_error_unterm_str("here document");
4853                                 goto parse_error;
4854                         }
4855                         if (done_word(&dest, &ctx)) {
4856                                 goto parse_error;
4857                         }
4858                         done_pipe(&ctx, PIPE_SEQ);
4859                         dest.o_assignment = MAYBE_ASSIGNMENT;
4860                         debug_printf_parse("dest.o_assignment='%s'\n", assignment_flag[dest.o_assignment]);
4861                         /* Do we sit outside of any if's, loops or case's? */
4862                         if (!HAS_KEYWORDS
4863                         IF_HAS_KEYWORDS(|| (ctx.ctx_res_w == RES_NONE && ctx.old_flag == 0))
4864                         ) {
4865                                 o_free(&dest);
4866 #if !BB_MMU
4867                                 debug_printf_parse("as_string2 '%s'\n", ctx.as_string.data);
4868                                 if (pstring)
4869                                         *pstring = ctx.as_string.data;
4870                                 else
4871                                         o_free_unsafe(&ctx.as_string);
4872 #endif
4873                                 debug_leave();
4874                                 debug_printf_parse("parse_stream return %p: "
4875                                                 "end_trigger char found\n",
4876                                                 ctx.list_head);
4877                                 return ctx.list_head;
4878                         }
4879                 }
4880  skip_end_trigger:
4881                 if (is_blank)
4882                         continue;
4883
4884                 /* Catch <, > before deciding whether this word is
4885                  * an assignment. a=1 2>z b=2: b=2 is still assignment */
4886                 switch (ch) {
4887                 case '>':
4888                         redir_fd = redirect_opt_num(&dest);
4889                         if (done_word(&dest, &ctx)) {
4890                                 goto parse_error;
4891                         }
4892                         redir_style = REDIRECT_OVERWRITE;
4893                         if (next == '>') {
4894                                 redir_style = REDIRECT_APPEND;
4895                                 ch = i_getch(input);
4896                                 nommu_addchr(&ctx.as_string, ch);
4897                         }
4898 #if 0
4899                         else if (next == '(') {
4900                                 syntax_error(">(process) not supported");
4901                                 goto parse_error;
4902                         }
4903 #endif
4904                         if (parse_redirect(&ctx, redir_fd, redir_style, input))
4905                                 goto parse_error;
4906                         continue; /* back to top of while (1) */
4907                 case '<':
4908                         redir_fd = redirect_opt_num(&dest);
4909                         if (done_word(&dest, &ctx)) {
4910                                 goto parse_error;
4911                         }
4912                         redir_style = REDIRECT_INPUT;
4913                         if (next == '<') {
4914                                 redir_style = REDIRECT_HEREDOC;
4915                                 heredoc_cnt++;
4916                                 debug_printf_parse("++heredoc_cnt=%d\n", heredoc_cnt);
4917                                 ch = i_getch(input);
4918                                 nommu_addchr(&ctx.as_string, ch);
4919                         } else if (next == '>') {
4920                                 redir_style = REDIRECT_IO;
4921                                 ch = i_getch(input);
4922                                 nommu_addchr(&ctx.as_string, ch);
4923                         }
4924 #if 0
4925                         else if (next == '(') {
4926                                 syntax_error("<(process) not supported");
4927                                 goto parse_error;
4928                         }
4929 #endif
4930                         if (parse_redirect(&ctx, redir_fd, redir_style, input))
4931                                 goto parse_error;
4932                         continue; /* back to top of while (1) */
4933                 case '#':
4934                         if (dest.length == 0 && !dest.has_quoted_part) {
4935                                 /* skip "#comment" */
4936                                 while (1) {
4937                                         ch = i_peek(input);
4938                                         if (ch == EOF || ch == '\n')
4939                                                 break;
4940                                         i_getch(input);
4941                                         /* note: we do not add it to &ctx.as_string */
4942                                 }
4943                                 nommu_addchr(&ctx.as_string, '\n');
4944                                 continue; /* back to top of while (1) */
4945                         }
4946                         break;
4947                 case '\\':
4948                         if (next == '\n') {
4949                                 /* It's "\<newline>" */
4950 #if !BB_MMU
4951                                 /* Remove trailing '\' from ctx.as_string */
4952                                 ctx.as_string.data[--ctx.as_string.length] = '\0';
4953 #endif
4954                                 ch = i_getch(input); /* eat it */
4955                                 continue; /* back to top of while (1) */
4956                         }
4957                         break;
4958                 }
4959
4960                 if (dest.o_assignment == MAYBE_ASSIGNMENT
4961                  /* check that we are not in word in "a=1 2>word b=1": */
4962                  && !ctx.pending_redirect
4963                 ) {
4964                         /* ch is a special char and thus this word
4965                          * cannot be an assignment */
4966                         dest.o_assignment = NOT_ASSIGNMENT;
4967                         debug_printf_parse("dest.o_assignment='%s'\n", assignment_flag[dest.o_assignment]);
4968                 }
4969
4970                 /* Note: nommu_addchr(&ctx.as_string, ch) is already done */
4971
4972                 switch (ch) {
4973                 case '#': /* non-comment #: "echo a#b" etc */
4974                         o_addQchr(&dest, ch);
4975                         break;
4976                 case '\\':
4977                         if (next == EOF) {
4978                                 syntax_error("\\<eof>");
4979                                 xfunc_die();
4980                         }
4981                         ch = i_getch(input);
4982                         /* note: ch != '\n' (that case does not reach this place) */
4983                         o_addchr(&dest, '\\');
4984                         /*nommu_addchr(&ctx.as_string, '\\'); - already done */
4985                         o_addchr(&dest, ch);
4986                         nommu_addchr(&ctx.as_string, ch);
4987                         /* Example: echo Hello \2>file
4988                          * we need to know that word 2 is quoted */
4989                         dest.has_quoted_part = 1;
4990                         break;
4991                 case '$':
4992                         if (!parse_dollar(&ctx.as_string, &dest, input, /*quote_mask:*/ 0)) {
4993                                 debug_printf_parse("parse_stream parse error: "
4994                                         "parse_dollar returned 0 (error)\n");
4995                                 goto parse_error;
4996                         }
4997                         break;
4998                 case '\'':
4999                         dest.has_quoted_part = 1;
5000                         if (next == '\'' && !ctx.pending_redirect) {
5001  insert_empty_quoted_str_marker:
5002                                 nommu_addchr(&ctx.as_string, next);
5003                                 i_getch(input); /* eat second ' */
5004                                 o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5005                                 o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5006                         } else {
5007                                 while (1) {
5008                                         ch = i_getch(input);
5009                                         if (ch == EOF) {
5010                                                 syntax_error_unterm_ch('\'');
5011                                                 goto parse_error;
5012                                         }
5013                                         nommu_addchr(&ctx.as_string, ch);
5014                                         if (ch == '\'')
5015                                                 break;
5016                                         o_addqchr(&dest, ch);
5017                                 }
5018                         }
5019                         break;
5020                 case '"':
5021                         dest.has_quoted_part = 1;
5022                         if (next == '"' && !ctx.pending_redirect)
5023                                 goto insert_empty_quoted_str_marker;
5024                         if (dest.o_assignment == NOT_ASSIGNMENT)
5025                                 dest.o_expflags |= EXP_FLAG_ESC_GLOB_CHARS;
5026                         if (!encode_string(&ctx.as_string, &dest, input, '"', /*process_bkslash:*/ 1))
5027                                 goto parse_error;
5028                         dest.o_expflags &= ~EXP_FLAG_ESC_GLOB_CHARS;
5029                         break;
5030 #if ENABLE_HUSH_TICK
5031                 case '`': {
5032                         USE_FOR_NOMMU(unsigned pos;)
5033
5034                         o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5035                         o_addchr(&dest, '`');
5036                         USE_FOR_NOMMU(pos = dest.length;)
5037                         if (!add_till_backquote(&dest, input, /*in_dquote:*/ 0))
5038                                 goto parse_error;
5039 # if !BB_MMU
5040                         o_addstr(&ctx.as_string, dest.data + pos);
5041                         o_addchr(&ctx.as_string, '`');
5042 # endif
5043                         o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5044                         //debug_printf_subst("SUBST RES3 '%s'\n", dest.data + pos);
5045                         break;
5046                 }
5047 #endif
5048                 case ';':
5049 #if ENABLE_HUSH_CASE
5050  case_semi:
5051 #endif
5052                         if (done_word(&dest, &ctx)) {
5053                                 goto parse_error;
5054                         }
5055                         done_pipe(&ctx, PIPE_SEQ);
5056 #if ENABLE_HUSH_CASE
5057                         /* Eat multiple semicolons, detect
5058                          * whether it means something special */
5059                         while (1) {
5060                                 ch = i_peek(input);
5061                                 if (ch != ';')
5062                                         break;
5063                                 ch = i_getch(input);
5064                                 nommu_addchr(&ctx.as_string, ch);
5065                                 if (ctx.ctx_res_w == RES_CASE_BODY) {
5066                                         ctx.ctx_dsemicolon = 1;
5067                                         ctx.ctx_res_w = RES_MATCH;
5068                                         break;
5069                                 }
5070                         }
5071 #endif
5072  new_cmd:
5073                         /* We just finished a cmd. New one may start
5074                          * with an assignment */
5075                         dest.o_assignment = MAYBE_ASSIGNMENT;
5076                         debug_printf_parse("dest.o_assignment='%s'\n", assignment_flag[dest.o_assignment]);
5077                         break;
5078                 case '&':
5079                         if (done_word(&dest, &ctx)) {
5080                                 goto parse_error;
5081                         }
5082                         if (next == '&') {
5083                                 ch = i_getch(input);
5084                                 nommu_addchr(&ctx.as_string, ch);
5085                                 done_pipe(&ctx, PIPE_AND);
5086                         } else {
5087                                 done_pipe(&ctx, PIPE_BG);
5088                         }
5089                         goto new_cmd;
5090                 case '|':
5091                         if (done_word(&dest, &ctx)) {
5092                                 goto parse_error;
5093                         }
5094 #if ENABLE_HUSH_CASE
5095                         if (ctx.ctx_res_w == RES_MATCH)
5096                                 break; /* we are in case's "word | word)" */
5097 #endif
5098                         if (next == '|') { /* || */
5099                                 ch = i_getch(input);
5100                                 nommu_addchr(&ctx.as_string, ch);
5101                                 done_pipe(&ctx, PIPE_OR);
5102                         } else {
5103                                 /* we could pick up a file descriptor choice here
5104                                  * with redirect_opt_num(), but bash doesn't do it.
5105                                  * "echo foo 2| cat" yields "foo 2". */
5106                                 done_command(&ctx);
5107                         }
5108                         goto new_cmd;
5109                 case '(':
5110 #if ENABLE_HUSH_CASE
5111                         /* "case... in [(]word)..." - skip '(' */
5112                         if (ctx.ctx_res_w == RES_MATCH
5113                          && ctx.command->argv == NULL /* not (word|(... */
5114                          && dest.length == 0 /* not word(... */
5115                          && dest.has_quoted_part == 0 /* not ""(... */
5116                         ) {
5117                                 continue;
5118                         }
5119 #endif
5120                 case '{':
5121                         if (parse_group(&dest, &ctx, input, ch) != 0) {
5122                                 goto parse_error;
5123                         }
5124                         goto new_cmd;
5125                 case ')':
5126 #if ENABLE_HUSH_CASE
5127                         if (ctx.ctx_res_w == RES_MATCH)
5128                                 goto case_semi;
5129 #endif
5130                 case '}':
5131                         /* proper use of this character is caught by end_trigger:
5132                          * if we see {, we call parse_group(..., end_trigger='}')
5133                          * and it will match } earlier (not here). */
5134                         syntax_error_unexpected_ch(ch);
5135                         G.last_exitcode = 2;
5136                         goto parse_error1;
5137                 default:
5138                         if (HUSH_DEBUG)
5139                                 bb_error_msg_and_die("BUG: unexpected %c\n", ch);
5140                 }
5141         } /* while (1) */
5142
5143  parse_error:
5144         G.last_exitcode = 1;
5145  parse_error1:
5146         {
5147                 struct parse_context *pctx;
5148                 IF_HAS_KEYWORDS(struct parse_context *p2;)
5149
5150                 /* Clean up allocated tree.
5151                  * Sample for finding leaks on syntax error recovery path.
5152                  * Run it from interactive shell, watch pmap `pidof hush`.
5153                  * while if false; then false; fi; do break; fi
5154                  * Samples to catch leaks at execution:
5155                  * while if (true | { true;}); then echo ok; fi; do break; done
5156                  * while if (true | { true;}); then echo ok; fi; do (if echo ok; break; then :; fi) | cat; break; done
5157                  */
5158                 pctx = &ctx;
5159                 do {
5160                         /* Update pipe/command counts,
5161                          * otherwise freeing may miss some */
5162                         done_pipe(pctx, PIPE_SEQ);
5163                         debug_printf_clean("freeing list %p from ctx %p\n",
5164                                         pctx->list_head, pctx);
5165                         debug_print_tree(pctx->list_head, 0);
5166                         free_pipe_list(pctx->list_head);
5167                         debug_printf_clean("freed list %p\n", pctx->list_head);
5168 #if !BB_MMU
5169                         o_free_unsafe(&pctx->as_string);
5170 #endif
5171                         IF_HAS_KEYWORDS(p2 = pctx->stack;)
5172                         if (pctx != &ctx) {
5173                                 free(pctx);
5174                         }
5175                         IF_HAS_KEYWORDS(pctx = p2;)
5176                 } while (HAS_KEYWORDS && pctx);
5177
5178                 o_free(&dest);
5179 #if !BB_MMU
5180                 if (pstring)
5181                         *pstring = NULL;
5182 #endif
5183                 debug_leave();
5184                 return ERR_PTR;
5185         }
5186 }
5187
5188
5189 /*** Execution routines ***/
5190
5191 /* Expansion can recurse, need forward decls: */
5192 #if !ENABLE_HUSH_BASH_COMPAT
5193 /* only ${var/pattern/repl} (its pattern part) needs additional mode */
5194 #define expand_string_to_string(str, do_unbackslash) \
5195         expand_string_to_string(str)
5196 #endif
5197 static char *expand_string_to_string(const char *str, int do_unbackslash);
5198 #if ENABLE_HUSH_TICK
5199 static int process_command_subs(o_string *dest, const char *s);
5200 #endif
5201
5202 /* expand_strvec_to_strvec() takes a list of strings, expands
5203  * all variable references within and returns a pointer to
5204  * a list of expanded strings, possibly with larger number
5205  * of strings. (Think VAR="a b"; echo $VAR).
5206  * This new list is allocated as a single malloc block.
5207  * NULL-terminated list of char* pointers is at the beginning of it,
5208  * followed by strings themselves.
5209  * Caller can deallocate entire list by single free(list). */
5210
5211 /* A horde of its helpers come first: */
5212
5213 static void o_addblock_duplicate_backslash(o_string *o, const char *str, int len)
5214 {
5215         while (--len >= 0) {
5216                 char c = *str++;
5217
5218 #if ENABLE_HUSH_BRACE_EXPANSION
5219                 if (c == '{' || c == '}') {
5220                         /* { -> \{, } -> \} */
5221                         o_addchr(o, '\\');
5222                         /* And now we want to add { or } and continue:
5223                          *  o_addchr(o, c);
5224                          *  continue;
5225                          * luckily, just falling throught achieves this.
5226                          */
5227                 }
5228 #endif
5229                 o_addchr(o, c);
5230                 if (c == '\\') {
5231                         /* \z -> \\\z; \<eol> -> \\<eol> */
5232                         o_addchr(o, '\\');
5233                         if (len) {
5234                                 len--;
5235                                 o_addchr(o, '\\');
5236                                 o_addchr(o, *str++);
5237                         }
5238                 }
5239         }
5240 }
5241
5242 /* Store given string, finalizing the word and starting new one whenever
5243  * we encounter IFS char(s). This is used for expanding variable values.
5244  * End-of-string does NOT finalize word: think about 'echo -$VAR-'.
5245  * Return in *ended_with_ifs:
5246  * 1 - ended with IFS char, else 0 (this includes case of empty str).
5247  */
5248 static int expand_on_ifs(int *ended_with_ifs, o_string *output, int n, const char *str)
5249 {
5250         int last_is_ifs = 0;
5251
5252         while (1) {
5253                 int word_len;
5254
5255                 if (!*str)  /* EOL - do not finalize word */
5256                         break;
5257                 word_len = strcspn(str, G.ifs);
5258                 if (word_len) {
5259                         /* We have WORD_LEN leading non-IFS chars */
5260                         if (!(output->o_expflags & EXP_FLAG_GLOB)) {
5261                                 o_addblock(output, str, word_len);
5262                         } else {
5263                                 /* Protect backslashes against globbing up :)
5264                                  * Example: "v='\*'; echo b$v" prints "b\*"
5265                                  * (and does not try to glob on "*")
5266                                  */
5267                                 o_addblock_duplicate_backslash(output, str, word_len);
5268                                 /*/ Why can't we do it easier? */
5269                                 /*o_addblock(output, str, word_len); - WRONG: "v='\*'; echo Z$v" prints "Z*" instead of "Z\*" */
5270                                 /*o_addqblock(output, str, word_len); - WRONG: "v='*'; echo Z$v" prints "Z*" instead of Z* files */
5271                         }
5272                         last_is_ifs = 0;
5273                         str += word_len;
5274                         if (!*str)  /* EOL - do not finalize word */
5275                                 break;
5276                 }
5277
5278                 /* We know str here points to at least one IFS char */
5279                 last_is_ifs = 1;
5280                 str += strspn(str, G.ifs); /* skip IFS chars */
5281                 if (!*str)  /* EOL - do not finalize word */
5282                         break;
5283
5284                 /* Start new word... but not always! */
5285                 /* Case "v=' a'; echo ''$v": we do need to finalize empty word: */
5286                 if (output->has_quoted_part
5287                 /* Case "v=' a'; echo $v":
5288                  * here nothing precedes the space in $v expansion,
5289                  * therefore we should not finish the word
5290                  * (IOW: if there *is* word to finalize, only then do it):
5291                  */
5292                  || (n > 0 && output->data[output->length - 1])
5293                 ) {
5294                         o_addchr(output, '\0');
5295                         debug_print_list("expand_on_ifs", output, n);
5296                         n = o_save_ptr(output, n);
5297                 }
5298         }
5299
5300         if (ended_with_ifs)
5301                 *ended_with_ifs = last_is_ifs;
5302         debug_print_list("expand_on_ifs[1]", output, n);
5303         return n;
5304 }
5305
5306 /* Helper to expand $((...)) and heredoc body. These act as if
5307  * they are in double quotes, with the exception that they are not :).
5308  * Just the rules are similar: "expand only $var and `cmd`"
5309  *
5310  * Returns malloced string.
5311  * As an optimization, we return NULL if expansion is not needed.
5312  */
5313 #if !ENABLE_HUSH_BASH_COMPAT
5314 /* only ${var/pattern/repl} (its pattern part) needs additional mode */
5315 #define encode_then_expand_string(str, process_bkslash, do_unbackslash) \
5316         encode_then_expand_string(str)
5317 #endif
5318 static char *encode_then_expand_string(const char *str, int process_bkslash, int do_unbackslash)
5319 {
5320         char *exp_str;
5321         struct in_str input;
5322         o_string dest = NULL_O_STRING;
5323
5324         if (!strchr(str, '$')
5325          && !strchr(str, '\\')
5326 #if ENABLE_HUSH_TICK
5327          && !strchr(str, '`')
5328 #endif
5329         ) {
5330                 return NULL;
5331         }
5332
5333         /* We need to expand. Example:
5334          * echo $(($a + `echo 1`)) $((1 + $((2)) ))
5335          */
5336         setup_string_in_str(&input, str);
5337         encode_string(NULL, &dest, &input, EOF, process_bkslash);
5338 //TODO: error check (encode_string returns 0 on error)?
5339         //bb_error_msg("'%s' -> '%s'", str, dest.data);
5340         exp_str = expand_string_to_string(dest.data, /*unbackslash:*/ do_unbackslash);
5341         //bb_error_msg("'%s' -> '%s'", dest.data, exp_str);
5342         o_free_unsafe(&dest);
5343         return exp_str;
5344 }
5345
5346 #if ENABLE_FEATURE_SH_MATH
5347 static arith_t expand_and_evaluate_arith(const char *arg, const char **errmsg_p)
5348 {
5349         arith_state_t math_state;
5350         arith_t res;
5351         char *exp_str;
5352
5353         math_state.lookupvar = get_local_var_value;
5354         math_state.setvar = set_local_var_from_halves;
5355         //math_state.endofname = endofname;
5356         exp_str = encode_then_expand_string(arg, /*process_bkslash:*/ 1, /*unbackslash:*/ 1);
5357         res = arith(&math_state, exp_str ? exp_str : arg);
5358         free(exp_str);
5359         if (errmsg_p)
5360                 *errmsg_p = math_state.errmsg;
5361         if (math_state.errmsg)
5362                 die_if_script(math_state.errmsg);
5363         return res;
5364 }
5365 #endif
5366
5367 #if ENABLE_HUSH_BASH_COMPAT
5368 /* ${var/[/]pattern[/repl]} helpers */
5369 static char *strstr_pattern(char *val, const char *pattern, int *size)
5370 {
5371         while (1) {
5372                 char *end = scan_and_match(val, pattern, SCAN_MOVE_FROM_RIGHT + SCAN_MATCH_LEFT_HALF);
5373                 debug_printf_varexp("val:'%s' pattern:'%s' end:'%s'\n", val, pattern, end);
5374                 if (end) {
5375                         *size = end - val;
5376                         return val;
5377                 }
5378                 if (*val == '\0')
5379                         return NULL;
5380                 /* Optimization: if "*pat" did not match the start of "string",
5381                  * we know that "tring", "ring" etc will not match too:
5382                  */
5383                 if (pattern[0] == '*')
5384                         return NULL;
5385                 val++;
5386         }
5387 }
5388 static char *replace_pattern(char *val, const char *pattern, const char *repl, char exp_op)
5389 {
5390         char *result = NULL;
5391         unsigned res_len = 0;
5392         unsigned repl_len = strlen(repl);
5393
5394         while (1) {
5395                 int size;
5396                 char *s = strstr_pattern(val, pattern, &size);
5397                 if (!s)
5398                         break;
5399
5400                 result = xrealloc(result, res_len + (s - val) + repl_len + 1);
5401                 memcpy(result + res_len, val, s - val);
5402                 res_len += s - val;
5403                 strcpy(result + res_len, repl);
5404                 res_len += repl_len;
5405                 debug_printf_varexp("val:'%s' s:'%s' result:'%s'\n", val, s, result);
5406
5407                 val = s + size;
5408                 if (exp_op == '/')
5409                         break;
5410         }
5411         if (val[0] && result) {
5412                 result = xrealloc(result, res_len + strlen(val) + 1);
5413                 strcpy(result + res_len, val);
5414                 debug_printf_varexp("val:'%s' result:'%s'\n", val, result);
5415         }
5416         debug_printf_varexp("result:'%s'\n", result);
5417         return result;
5418 }
5419 #endif
5420
5421 /* Helper:
5422  * Handles <SPECIAL_VAR_SYMBOL>varname...<SPECIAL_VAR_SYMBOL> construct.
5423  */
5424 static NOINLINE const char *expand_one_var(char **to_be_freed_pp, char *arg, char **pp)
5425 {
5426         const char *val = NULL;
5427         char *to_be_freed = NULL;
5428         char *p = *pp;
5429         char *var;
5430         char first_char;
5431         char exp_op;
5432         char exp_save = exp_save; /* for compiler */
5433         char *exp_saveptr; /* points to expansion operator */
5434         char *exp_word = exp_word; /* for compiler */
5435         char arg0;
5436
5437         *p = '\0'; /* replace trailing SPECIAL_VAR_SYMBOL */
5438         var = arg;
5439         exp_saveptr = arg[1] ? strchr(VAR_ENCODED_SUBST_OPS, arg[1]) : NULL;
5440         arg0 = arg[0];
5441         first_char = arg[0] = arg0 & 0x7f;
5442         exp_op = 0;
5443
5444         if (first_char == '#'      /* ${#... */
5445          && arg[1] && !exp_saveptr /* not ${#} and not ${#<op_char>...} */
5446         ) {
5447                 /* It must be length operator: ${#var} */
5448                 var++;
5449                 exp_op = 'L';
5450         } else {
5451                 /* Maybe handle parameter expansion */
5452                 if (exp_saveptr /* if 2nd char is one of expansion operators */
5453                  && strchr(NUMERIC_SPECVARS_STR, first_char) /* 1st char is special variable */
5454                 ) {
5455                         /* ${?:0}, ${#[:]%0} etc */
5456                         exp_saveptr = var + 1;
5457                 } else {
5458                         /* ${?}, ${var}, ${var:0}, ${var[:]%0} etc */
5459                         exp_saveptr = var+1 + strcspn(var+1, VAR_ENCODED_SUBST_OPS);
5460                 }
5461                 exp_op = exp_save = *exp_saveptr;
5462                 if (exp_op) {
5463                         exp_word = exp_saveptr + 1;
5464                         if (exp_op == ':') {
5465                                 exp_op = *exp_word++;
5466 //TODO: try ${var:} and ${var:bogus} in non-bash config
5467                                 if (ENABLE_HUSH_BASH_COMPAT
5468                                  && (!exp_op || !strchr(MINUS_PLUS_EQUAL_QUESTION, exp_op))
5469                                 ) {
5470                                         /* oops... it's ${var:N[:M]}, not ${var:?xxx} or some such */
5471                                         exp_op = ':';
5472                                         exp_word--;
5473                                 }
5474                         }
5475                         *exp_saveptr = '\0';
5476                 } /* else: it's not an expansion op, but bare ${var} */
5477         }
5478
5479         /* Look up the variable in question */
5480         if (isdigit(var[0])) {
5481                 /* parse_dollar should have vetted var for us */
5482                 int n = xatoi_positive(var);
5483                 if (n < G.global_argc)
5484                         val = G.global_argv[n];
5485                 /* else val remains NULL: $N with too big N */
5486         } else {
5487                 switch (var[0]) {
5488                 case '$': /* pid */
5489                         val = utoa(G.root_pid);
5490                         break;
5491                 case '!': /* bg pid */
5492                         val = G.last_bg_pid ? utoa(G.last_bg_pid) : "";
5493                         break;
5494                 case '?': /* exitcode */
5495                         val = utoa(G.last_exitcode);
5496                         break;
5497                 case '#': /* argc */
5498                         val = utoa(G.global_argc ? G.global_argc-1 : 0);
5499                         break;
5500                 default:
5501                         val = get_local_var_value(var);
5502                 }
5503         }
5504
5505         /* Handle any expansions */
5506         if (exp_op == 'L') {
5507                 reinit_unicode_for_hush();
5508                 debug_printf_expand("expand: length(%s)=", val);
5509                 val = utoa(val ? unicode_strlen(val) : 0);
5510                 debug_printf_expand("%s\n", val);
5511         } else if (exp_op) {
5512                 if (exp_op == '%' || exp_op == '#') {
5513                         /* Standard-mandated substring removal ops:
5514                          * ${parameter%word} - remove smallest suffix pattern
5515                          * ${parameter%%word} - remove largest suffix pattern
5516                          * ${parameter#word} - remove smallest prefix pattern
5517                          * ${parameter##word} - remove largest prefix pattern
5518                          *
5519                          * Word is expanded to produce a glob pattern.
5520                          * Then var's value is matched to it and matching part removed.
5521                          */
5522                         if (val && val[0]) {
5523                                 char *t;
5524                                 char *exp_exp_word;
5525                                 char *loc;
5526                                 unsigned scan_flags = pick_scan(exp_op, *exp_word);
5527                                 if (exp_op == *exp_word)  /* ## or %% */
5528                                         exp_word++;
5529                                 exp_exp_word = encode_then_expand_string(exp_word, /*process_bkslash:*/ 1, /*unbackslash:*/ 1);
5530                                 if (exp_exp_word)
5531                                         exp_word = exp_exp_word;
5532                                 /* HACK ALERT. We depend here on the fact that
5533                                  * G.global_argv and results of utoa and get_local_var_value
5534                                  * are actually in writable memory:
5535                                  * scan_and_match momentarily stores NULs there. */
5536                                 t = (char*)val;
5537                                 loc = scan_and_match(t, exp_word, scan_flags);
5538                                 //bb_error_msg("op:%c str:'%s' pat:'%s' res:'%s'",
5539                                 //              exp_op, t, exp_word, loc);
5540                                 free(exp_exp_word);
5541                                 if (loc) { /* match was found */
5542                                         if (scan_flags & SCAN_MATCH_LEFT_HALF) /* #[#] */
5543                                                 val = loc; /* take right part */
5544                                         else /* %[%] */
5545                                                 val = to_be_freed = xstrndup(val, loc - val); /* left */
5546                                 }
5547                         }
5548                 }
5549 #if ENABLE_HUSH_BASH_COMPAT
5550                 else if (exp_op == '/' || exp_op == '\\') {
5551                         /* It's ${var/[/]pattern[/repl]} thing.
5552                          * Note that in encoded form it has TWO parts:
5553                          * var/pattern<SPECIAL_VAR_SYMBOL>repl<SPECIAL_VAR_SYMBOL>
5554                          * and if // is used, it is encoded as \:
5555                          * var\pattern<SPECIAL_VAR_SYMBOL>repl<SPECIAL_VAR_SYMBOL>
5556                          */
5557                         /* Empty variable always gives nothing: */
5558                         // "v=''; echo ${v/*/w}" prints "", not "w"
5559                         if (val && val[0]) {
5560                                 /* pattern uses non-standard expansion.
5561                                  * repl should be unbackslashed and globbed
5562                                  * by the usual expansion rules:
5563                                  * >az; >bz;
5564                                  * v='a bz'; echo "${v/a*z/a*z}" prints "a*z"
5565                                  * v='a bz'; echo "${v/a*z/\z}"  prints "\z"
5566                                  * v='a bz'; echo ${v/a*z/a*z}   prints "az"
5567                                  * v='a bz'; echo ${v/a*z/\z}    prints "z"
5568                                  * (note that a*z _pattern_ is never globbed!)
5569                                  */
5570                                 char *pattern, *repl, *t;
5571                                 pattern = encode_then_expand_string(exp_word, /*process_bkslash:*/ 0, /*unbackslash:*/ 0);
5572                                 if (!pattern)
5573                                         pattern = xstrdup(exp_word);
5574                                 debug_printf_varexp("pattern:'%s'->'%s'\n", exp_word, pattern);
5575                                 *p++ = SPECIAL_VAR_SYMBOL;
5576                                 exp_word = p;
5577                                 p = strchr(p, SPECIAL_VAR_SYMBOL);
5578                                 *p = '\0';
5579                                 repl = encode_then_expand_string(exp_word, /*process_bkslash:*/ arg0 & 0x80, /*unbackslash:*/ 1);
5580                                 debug_printf_varexp("repl:'%s'->'%s'\n", exp_word, repl);
5581                                 /* HACK ALERT. We depend here on the fact that
5582                                  * G.global_argv and results of utoa and get_local_var_value
5583                                  * are actually in writable memory:
5584                                  * replace_pattern momentarily stores NULs there. */
5585                                 t = (char*)val;
5586                                 to_be_freed = replace_pattern(t,
5587                                                 pattern,
5588                                                 (repl ? repl : exp_word),
5589                                                 exp_op);
5590                                 if (to_be_freed) /* at least one replace happened */
5591                                         val = to_be_freed;
5592                                 free(pattern);
5593                                 free(repl);
5594                         }
5595                 }
5596 #endif
5597                 else if (exp_op == ':') {
5598 #if ENABLE_HUSH_BASH_COMPAT && ENABLE_FEATURE_SH_MATH
5599                         /* It's ${var:N[:M]} bashism.
5600                          * Note that in encoded form it has TWO parts:
5601                          * var:N<SPECIAL_VAR_SYMBOL>M<SPECIAL_VAR_SYMBOL>
5602                          */
5603                         arith_t beg, len;
5604                         const char *errmsg;
5605
5606                         beg = expand_and_evaluate_arith(exp_word, &errmsg);
5607                         if (errmsg)
5608                                 goto arith_err;
5609                         debug_printf_varexp("beg:'%s'=%lld\n", exp_word, (long long)beg);
5610                         *p++ = SPECIAL_VAR_SYMBOL;
5611                         exp_word = p;
5612                         p = strchr(p, SPECIAL_VAR_SYMBOL);
5613                         *p = '\0';
5614                         len = expand_and_evaluate_arith(exp_word, &errmsg);
5615                         if (errmsg)
5616                                 goto arith_err;
5617                         debug_printf_varexp("len:'%s'=%lld\n", exp_word, (long long)len);
5618                         if (len >= 0) { /* bash compat: len < 0 is illegal */
5619                                 if (beg < 0) /* bash compat */
5620                                         beg = 0;
5621                                 debug_printf_varexp("from val:'%s'\n", val);
5622                                 if (len == 0 || !val || beg >= strlen(val)) {
5623  arith_err:
5624                                         val = NULL;
5625                                 } else {
5626                                         /* Paranoia. What if user entered 9999999999999
5627                                          * which fits in arith_t but not int? */
5628                                         if (len >= INT_MAX)
5629                                                 len = INT_MAX;
5630                                         val = to_be_freed = xstrndup(val + beg, len);
5631                                 }
5632                                 debug_printf_varexp("val:'%s'\n", val);
5633                         } else
5634 #endif
5635                         {
5636                                 die_if_script("malformed ${%s:...}", var);
5637                                 val = NULL;
5638                         }
5639                 } else { /* one of "-=+?" */
5640                         /* Standard-mandated substitution ops:
5641                          * ${var?word} - indicate error if unset
5642                          *      If var is unset, word (or a message indicating it is unset
5643                          *      if word is null) is written to standard error
5644                          *      and the shell exits with a non-zero exit status.
5645                          *      Otherwise, the value of var is substituted.
5646                          * ${var-word} - use default value
5647                          *      If var is unset, word is substituted.
5648                          * ${var=word} - assign and use default value
5649                          *      If var is unset, word is assigned to var.
5650                          *      In all cases, final value of var is substituted.
5651                          * ${var+word} - use alternative value
5652                          *      If var is unset, null is substituted.
5653                          *      Otherwise, word is substituted.
5654                          *
5655                          * Word is subjected to tilde expansion, parameter expansion,
5656                          * command substitution, and arithmetic expansion.
5657                          * If word is not needed, it is not expanded.
5658                          *
5659                          * Colon forms (${var:-word}, ${var:=word} etc) do the same,
5660                          * but also treat null var as if it is unset.
5661                          */
5662                         int use_word = (!val || ((exp_save == ':') && !val[0]));
5663                         if (exp_op == '+')
5664                                 use_word = !use_word;
5665                         debug_printf_expand("expand: op:%c (null:%s) test:%i\n", exp_op,
5666                                         (exp_save == ':') ? "true" : "false", use_word);
5667                         if (use_word) {
5668                                 to_be_freed = encode_then_expand_string(exp_word, /*process_bkslash:*/ 1, /*unbackslash:*/ 1);
5669                                 if (to_be_freed)
5670                                         exp_word = to_be_freed;
5671                                 if (exp_op == '?') {
5672                                         /* mimic bash message */
5673                                         die_if_script("%s: %s",
5674                                                 var,
5675                                                 exp_word[0] ? exp_word : "parameter null or not set"
5676                                         );
5677 //TODO: how interactive bash aborts expansion mid-command?
5678                                 } else {
5679                                         val = exp_word;
5680                                 }
5681
5682                                 if (exp_op == '=') {
5683                                         /* ${var=[word]} or ${var:=[word]} */
5684                                         if (isdigit(var[0]) || var[0] == '#') {
5685                                                 /* mimic bash message */
5686                                                 die_if_script("$%s: cannot assign in this way", var);
5687                                                 val = NULL;
5688                                         } else {
5689                                                 char *new_var = xasprintf("%s=%s", var, val);
5690                                                 set_local_var(new_var, /*exp:*/ 0, /*lvl:*/ 0, /*ro:*/ 0);
5691                                         }
5692                                 }
5693                         }
5694                 } /* one of "-=+?" */
5695
5696                 *exp_saveptr = exp_save;
5697         } /* if (exp_op) */
5698
5699         arg[0] = arg0;
5700
5701         *pp = p;
5702         *to_be_freed_pp = to_be_freed;
5703         return val;
5704 }
5705
5706 /* Expand all variable references in given string, adding words to list[]
5707  * at n, n+1,... positions. Return updated n (so that list[n] is next one
5708  * to be filled). This routine is extremely tricky: has to deal with
5709  * variables/parameters with whitespace, $* and $@, and constructs like
5710  * 'echo -$*-'. If you play here, you must run testsuite afterwards! */
5711 static NOINLINE int expand_vars_to_list(o_string *output, int n, char *arg)
5712 {
5713         /* output->o_expflags & EXP_FLAG_SINGLEWORD (0x80) if we are in
5714          * expansion of right-hand side of assignment == 1-element expand.
5715          */
5716         char cant_be_null = 0; /* only bit 0x80 matters */
5717         int ended_in_ifs = 0;  /* did last unquoted expansion end with IFS chars? */
5718         char *p;
5719
5720         debug_printf_expand("expand_vars_to_list: arg:'%s' singleword:%x\n", arg,
5721                         !!(output->o_expflags & EXP_FLAG_SINGLEWORD));
5722         debug_print_list("expand_vars_to_list", output, n);
5723         n = o_save_ptr(output, n);
5724         debug_print_list("expand_vars_to_list[0]", output, n);
5725
5726         while ((p = strchr(arg, SPECIAL_VAR_SYMBOL)) != NULL) {
5727                 char first_ch;
5728                 char *to_be_freed = NULL;
5729                 const char *val = NULL;
5730 #if ENABLE_HUSH_TICK
5731                 o_string subst_result = NULL_O_STRING;
5732 #endif
5733 #if ENABLE_FEATURE_SH_MATH
5734                 char arith_buf[sizeof(arith_t)*3 + 2];
5735 #endif
5736
5737                 if (ended_in_ifs) {
5738                         o_addchr(output, '\0');
5739                         n = o_save_ptr(output, n);
5740                         ended_in_ifs = 0;
5741                 }
5742
5743                 o_addblock(output, arg, p - arg);
5744                 debug_print_list("expand_vars_to_list[1]", output, n);
5745                 arg = ++p;
5746                 p = strchr(p, SPECIAL_VAR_SYMBOL);
5747
5748                 /* Fetch special var name (if it is indeed one of them)
5749                  * and quote bit, force the bit on if singleword expansion -
5750                  * important for not getting v=$@ expand to many words. */
5751                 first_ch = arg[0] | (output->o_expflags & EXP_FLAG_SINGLEWORD);
5752
5753                 /* Is this variable quoted and thus expansion can't be null?
5754                  * "$@" is special. Even if quoted, it can still
5755                  * expand to nothing (not even an empty string),
5756                  * thus it is excluded. */
5757                 if ((first_ch & 0x7f) != '@')
5758                         cant_be_null |= first_ch;
5759
5760                 switch (first_ch & 0x7f) {
5761                 /* Highest bit in first_ch indicates that var is double-quoted */
5762                 case '*':
5763                 case '@': {
5764                         int i;
5765                         if (!G.global_argv[1])
5766                                 break;
5767                         i = 1;
5768                         cant_be_null |= first_ch; /* do it for "$@" _now_, when we know it's not empty */
5769                         if (!(first_ch & 0x80)) { /* unquoted $* or $@ */
5770                                 while (G.global_argv[i]) {
5771                                         n = expand_on_ifs(NULL, output, n, G.global_argv[i]);
5772                                         debug_printf_expand("expand_vars_to_list: argv %d (last %d)\n", i, G.global_argc - 1);
5773                                         if (G.global_argv[i++][0] && G.global_argv[i]) {
5774                                                 /* this argv[] is not empty and not last:
5775                                                  * put terminating NUL, start new word */
5776                                                 o_addchr(output, '\0');
5777                                                 debug_print_list("expand_vars_to_list[2]", output, n);
5778                                                 n = o_save_ptr(output, n);
5779                                                 debug_print_list("expand_vars_to_list[3]", output, n);
5780                                         }
5781                                 }
5782                         } else
5783                         /* If EXP_FLAG_SINGLEWORD, we handle assignment 'a=....$@.....'
5784                          * and in this case should treat it like '$*' - see 'else...' below */
5785                         if (first_ch == ('@'|0x80)  /* quoted $@ */
5786                          && !(output->o_expflags & EXP_FLAG_SINGLEWORD) /* not v="$@" case */
5787                         ) {
5788                                 while (1) {
5789                                         o_addQstr(output, G.global_argv[i]);
5790                                         if (++i >= G.global_argc)
5791                                                 break;
5792                                         o_addchr(output, '\0');
5793                                         debug_print_list("expand_vars_to_list[4]", output, n);
5794                                         n = o_save_ptr(output, n);
5795                                 }
5796                         } else { /* quoted $* (or v="$@" case): add as one word */
5797                                 while (1) {
5798                                         o_addQstr(output, G.global_argv[i]);
5799                                         if (!G.global_argv[++i])
5800                                                 break;
5801                                         if (G.ifs[0])
5802                                                 o_addchr(output, G.ifs[0]);
5803                                 }
5804                                 output->has_quoted_part = 1;
5805                         }
5806                         break;
5807                 }
5808                 case SPECIAL_VAR_SYMBOL: /* <SPECIAL_VAR_SYMBOL><SPECIAL_VAR_SYMBOL> */
5809                         /* "Empty variable", used to make "" etc to not disappear */
5810                         output->has_quoted_part = 1;
5811                         arg++;
5812                         cant_be_null = 0x80;
5813                         break;
5814 #if ENABLE_HUSH_TICK
5815                 case '`': /* <SPECIAL_VAR_SYMBOL>`cmd<SPECIAL_VAR_SYMBOL> */
5816                         *p = '\0'; /* replace trailing <SPECIAL_VAR_SYMBOL> */
5817                         arg++;
5818                         /* Can't just stuff it into output o_string,
5819                          * expanded result may need to be globbed
5820                          * and $IFS-splitted */
5821                         debug_printf_subst("SUBST '%s' first_ch %x\n", arg, first_ch);
5822                         G.last_exitcode = process_command_subs(&subst_result, arg);
5823                         debug_printf_subst("SUBST RES:%d '%s'\n", G.last_exitcode, subst_result.data);
5824                         val = subst_result.data;
5825                         goto store_val;
5826 #endif
5827 #if ENABLE_FEATURE_SH_MATH
5828                 case '+': { /* <SPECIAL_VAR_SYMBOL>+cmd<SPECIAL_VAR_SYMBOL> */
5829                         arith_t res;
5830
5831                         arg++; /* skip '+' */
5832                         *p = '\0'; /* replace trailing <SPECIAL_VAR_SYMBOL> */
5833                         debug_printf_subst("ARITH '%s' first_ch %x\n", arg, first_ch);
5834                         res = expand_and_evaluate_arith(arg, NULL);
5835                         debug_printf_subst("ARITH RES '"ARITH_FMT"'\n", res);
5836                         sprintf(arith_buf, ARITH_FMT, res);
5837                         val = arith_buf;
5838                         break;
5839                 }
5840 #endif
5841                 default:
5842                         val = expand_one_var(&to_be_freed, arg, &p);
5843  IF_HUSH_TICK(store_val:)
5844                         if (!(first_ch & 0x80)) { /* unquoted $VAR */
5845                                 debug_printf_expand("unquoted '%s', output->o_escape:%d\n", val,
5846                                                 !!(output->o_expflags & EXP_FLAG_ESC_GLOB_CHARS));
5847                                 if (val && val[0]) {
5848                                         n = expand_on_ifs(&ended_in_ifs, output, n, val);
5849                                         val = NULL;
5850                                 }
5851                         } else { /* quoted $VAR, val will be appended below */
5852                                 output->has_quoted_part = 1;
5853                                 debug_printf_expand("quoted '%s', output->o_escape:%d\n", val,
5854                                                 !!(output->o_expflags & EXP_FLAG_ESC_GLOB_CHARS));
5855                         }
5856                         break;
5857                 } /* switch (char after <SPECIAL_VAR_SYMBOL>) */
5858
5859                 if (val && val[0]) {
5860                         o_addQstr(output, val);
5861                 }
5862                 free(to_be_freed);
5863
5864                 /* Restore NULL'ed SPECIAL_VAR_SYMBOL.
5865                  * Do the check to avoid writing to a const string. */
5866                 if (*p != SPECIAL_VAR_SYMBOL)
5867                         *p = SPECIAL_VAR_SYMBOL;
5868
5869 #if ENABLE_HUSH_TICK
5870                 o_free(&subst_result);
5871 #endif
5872                 arg = ++p;
5873         } /* end of "while (SPECIAL_VAR_SYMBOL is found) ..." */
5874
5875         if (arg[0]) {
5876                 if (ended_in_ifs) {
5877                         o_addchr(output, '\0');
5878                         n = o_save_ptr(output, n);
5879                 }
5880                 debug_print_list("expand_vars_to_list[a]", output, n);
5881                 /* this part is literal, and it was already pre-quoted
5882                  * if needed (much earlier), do not use o_addQstr here! */
5883                 o_addstr_with_NUL(output, arg);
5884                 debug_print_list("expand_vars_to_list[b]", output, n);
5885         } else if (output->length == o_get_last_ptr(output, n) /* expansion is empty */
5886          && !(cant_be_null & 0x80) /* and all vars were not quoted. */
5887         ) {
5888                 n--;
5889                 /* allow to reuse list[n] later without re-growth */
5890                 output->has_empty_slot = 1;
5891         } else {
5892                 o_addchr(output, '\0');
5893         }
5894
5895         return n;
5896 }
5897
5898 static char **expand_variables(char **argv, unsigned expflags)
5899 {
5900         int n;
5901         char **list;
5902         o_string output = NULL_O_STRING;
5903
5904         output.o_expflags = expflags;
5905
5906         n = 0;
5907         while (*argv) {
5908                 n = expand_vars_to_list(&output, n, *argv);
5909                 argv++;
5910         }
5911         debug_print_list("expand_variables", &output, n);
5912
5913         /* output.data (malloced in one block) gets returned in "list" */
5914         list = o_finalize_list(&output, n);
5915         debug_print_strings("expand_variables[1]", list);
5916         return list;
5917 }
5918
5919 static char **expand_strvec_to_strvec(char **argv)
5920 {
5921         return expand_variables(argv, EXP_FLAG_GLOB | EXP_FLAG_ESC_GLOB_CHARS);
5922 }
5923
5924 #if ENABLE_HUSH_BASH_COMPAT
5925 static char **expand_strvec_to_strvec_singleword_noglob(char **argv)
5926 {
5927         return expand_variables(argv, EXP_FLAG_SINGLEWORD);
5928 }
5929 #endif
5930
5931 /* Used for expansion of right hand of assignments,
5932  * $((...)), heredocs, variable espansion parts.
5933  *
5934  * NB: should NOT do globbing!
5935  * "export v=/bin/c*; env | grep ^v=" outputs "v=/bin/c*"
5936  */
5937 static char *expand_string_to_string(const char *str, int do_unbackslash)
5938 {
5939 #if !ENABLE_HUSH_BASH_COMPAT
5940         const int do_unbackslash = 1;
5941 #endif
5942         char *argv[2], **list;
5943
5944         debug_printf_expand("string_to_string<='%s'\n", str);
5945         /* This is generally an optimization, but it also
5946          * handles "", which otherwise trips over !list[0] check below.
5947          * (is this ever happens that we actually get str="" here?)
5948          */
5949         if (!strchr(str, SPECIAL_VAR_SYMBOL) && !strchr(str, '\\')) {
5950                 //TODO: Can use on strings with \ too, just unbackslash() them?
5951                 debug_printf_expand("string_to_string(fast)=>'%s'\n", str);
5952                 return xstrdup(str);
5953         }
5954
5955         argv[0] = (char*)str;
5956         argv[1] = NULL;
5957         list = expand_variables(argv, do_unbackslash
5958                         ? EXP_FLAG_ESC_GLOB_CHARS | EXP_FLAG_SINGLEWORD
5959                         : EXP_FLAG_SINGLEWORD
5960         );
5961         if (HUSH_DEBUG)
5962                 if (!list[0] || list[1])
5963                         bb_error_msg_and_die("BUG in varexp2");
5964         /* actually, just move string 2*sizeof(char*) bytes back */
5965         overlapping_strcpy((char*)list, list[0]);
5966         if (do_unbackslash)
5967                 unbackslash((char*)list);
5968         debug_printf_expand("string_to_string=>'%s'\n", (char*)list);
5969         return (char*)list;
5970 }
5971
5972 /* Used for "eval" builtin */
5973 static char* expand_strvec_to_string(char **argv)
5974 {
5975         char **list;
5976
5977         list = expand_variables(argv, EXP_FLAG_SINGLEWORD);
5978         /* Convert all NULs to spaces */
5979         if (list[0]) {
5980                 int n = 1;
5981                 while (list[n]) {
5982                         if (HUSH_DEBUG)
5983                                 if (list[n-1] + strlen(list[n-1]) + 1 != list[n])
5984                                         bb_error_msg_and_die("BUG in varexp3");
5985                         /* bash uses ' ' regardless of $IFS contents */
5986                         list[n][-1] = ' ';
5987                         n++;
5988                 }
5989         }
5990         overlapping_strcpy((char*)list, list[0] ? list[0] : "");
5991         debug_printf_expand("strvec_to_string='%s'\n", (char*)list);
5992         return (char*)list;
5993 }
5994
5995 static char **expand_assignments(char **argv, int count)
5996 {
5997         int i;
5998         char **p;
5999
6000         G.expanded_assignments = p = NULL;
6001         /* Expand assignments into one string each */
6002         for (i = 0; i < count; i++) {
6003                 G.expanded_assignments = p = add_string_to_strings(p, expand_string_to_string(argv[i], /*unbackslash:*/ 1));
6004         }
6005         G.expanded_assignments = NULL;
6006         return p;
6007 }
6008
6009
6010 static void switch_off_special_sigs(unsigned mask)
6011 {
6012         unsigned sig = 0;
6013         while ((mask >>= 1) != 0) {
6014                 sig++;
6015                 if (!(mask & 1))
6016                         continue;
6017 #if ENABLE_HUSH_TRAP
6018                 if (G_traps) {
6019                         if (G_traps[sig] && !G_traps[sig][0])
6020                                 /* trap is '', has to remain SIG_IGN */
6021                                 continue;
6022                         free(G_traps[sig]);
6023                         G_traps[sig] = NULL;
6024                 }
6025 #endif
6026                 /* We are here only if no trap or trap was not '' */
6027                 install_sighandler(sig, SIG_DFL);
6028         }
6029 }
6030
6031 #if BB_MMU
6032 /* never called */
6033 void re_execute_shell(char ***to_free, const char *s,
6034                 char *g_argv0, char **g_argv,
6035                 char **builtin_argv) NORETURN;
6036
6037 static void reset_traps_to_defaults(void)
6038 {
6039         /* This function is always called in a child shell
6040          * after fork (not vfork, NOMMU doesn't use this function).
6041          */
6042         IF_HUSH_TRAP(unsigned sig;)
6043         unsigned mask;
6044
6045         /* Child shells are not interactive.
6046          * SIGTTIN/SIGTTOU/SIGTSTP should not have special handling.
6047          * Testcase: (while :; do :; done) + ^Z should background.
6048          * Same goes for SIGTERM, SIGHUP, SIGINT.
6049          */
6050         mask = (G.special_sig_mask & SPECIAL_INTERACTIVE_SIGS) | G_fatal_sig_mask;
6051         if (!G_traps && !mask)
6052                 return; /* already no traps and no special sigs */
6053
6054         /* Switch off special sigs */
6055         switch_off_special_sigs(mask);
6056 # if ENABLE_HUSH_JOB
6057         G_fatal_sig_mask = 0;
6058 # endif
6059         G.special_sig_mask &= ~SPECIAL_INTERACTIVE_SIGS;
6060         /* SIGQUIT,SIGCHLD and maybe SPECIAL_JOBSTOP_SIGS
6061          * remain set in G.special_sig_mask */
6062
6063 # if ENABLE_HUSH_TRAP
6064         if (!G_traps)
6065                 return;
6066
6067         /* Reset all sigs to default except ones with empty traps */
6068         for (sig = 0; sig < NSIG; sig++) {
6069                 if (!G_traps[sig])
6070                         continue; /* no trap: nothing to do */
6071                 if (!G_traps[sig][0])
6072                         continue; /* empty trap: has to remain SIG_IGN */
6073                 /* sig has non-empty trap, reset it: */
6074                 free(G_traps[sig]);
6075                 G_traps[sig] = NULL;
6076                 /* There is no signal for trap 0 (EXIT) */
6077                 if (sig == 0)
6078                         continue;
6079                 install_sighandler(sig, pick_sighandler(sig));
6080         }
6081 # endif
6082 }
6083
6084 #else /* !BB_MMU */
6085
6086 static void re_execute_shell(char ***to_free, const char *s,
6087                 char *g_argv0, char **g_argv,
6088                 char **builtin_argv) NORETURN;
6089 static void re_execute_shell(char ***to_free, const char *s,
6090                 char *g_argv0, char **g_argv,
6091                 char **builtin_argv)
6092 {
6093 # define NOMMU_HACK_FMT ("-$%x:%x:%x:%x:%x:%llx" IF_HUSH_LOOPS(":%x"))
6094         /* delims + 2 * (number of bytes in printed hex numbers) */
6095         char param_buf[sizeof(NOMMU_HACK_FMT) + 2 * (sizeof(int)*6 + sizeof(long long)*1)];
6096         char *heredoc_argv[4];
6097         struct variable *cur;
6098 # if ENABLE_HUSH_FUNCTIONS
6099         struct function *funcp;
6100 # endif
6101         char **argv, **pp;
6102         unsigned cnt;
6103         unsigned long long empty_trap_mask;
6104
6105         if (!g_argv0) { /* heredoc */
6106                 argv = heredoc_argv;
6107                 argv[0] = (char *) G.argv0_for_re_execing;
6108                 argv[1] = (char *) "-<";
6109                 argv[2] = (char *) s;
6110                 argv[3] = NULL;
6111                 pp = &argv[3]; /* used as pointer to empty environment */
6112                 goto do_exec;
6113         }
6114
6115         cnt = 0;
6116         pp = builtin_argv;
6117         if (pp) while (*pp++)
6118                 cnt++;
6119
6120         empty_trap_mask = 0;
6121         if (G_traps) {
6122                 int sig;
6123                 for (sig = 1; sig < NSIG; sig++) {
6124                         if (G_traps[sig] && !G_traps[sig][0])
6125                                 empty_trap_mask |= 1LL << sig;
6126                 }
6127         }
6128
6129         sprintf(param_buf, NOMMU_HACK_FMT
6130                         , (unsigned) G.root_pid
6131                         , (unsigned) G.root_ppid
6132                         , (unsigned) G.last_bg_pid
6133                         , (unsigned) G.last_exitcode
6134                         , cnt
6135                         , empty_trap_mask
6136                         IF_HUSH_LOOPS(, G.depth_of_loop)
6137                         );
6138 # undef NOMMU_HACK_FMT
6139         /* 1:hush 2:-$<pid>:<pid>:<exitcode>:<etc...> <vars...> <funcs...>
6140          * 3:-c 4:<cmd> 5:<arg0> <argN...> 6:NULL
6141          */
6142         cnt += 6;
6143         for (cur = G.top_var; cur; cur = cur->next) {
6144                 if (!cur->flg_export || cur->flg_read_only)
6145                         cnt += 2;
6146         }
6147 # if ENABLE_HUSH_FUNCTIONS
6148         for (funcp = G.top_func; funcp; funcp = funcp->next)
6149                 cnt += 3;
6150 # endif
6151         pp = g_argv;
6152         while (*pp++)
6153                 cnt++;
6154         *to_free = argv = pp = xzalloc(sizeof(argv[0]) * cnt);
6155         *pp++ = (char *) G.argv0_for_re_execing;
6156         *pp++ = param_buf;
6157         for (cur = G.top_var; cur; cur = cur->next) {
6158                 if (strcmp(cur->varstr, hush_version_str) == 0)
6159                         continue;
6160                 if (cur->flg_read_only) {
6161                         *pp++ = (char *) "-R";
6162                         *pp++ = cur->varstr;
6163                 } else if (!cur->flg_export) {
6164                         *pp++ = (char *) "-V";
6165                         *pp++ = cur->varstr;
6166                 }
6167         }
6168 # if ENABLE_HUSH_FUNCTIONS
6169         for (funcp = G.top_func; funcp; funcp = funcp->next) {
6170                 *pp++ = (char *) "-F";
6171                 *pp++ = funcp->name;
6172                 *pp++ = funcp->body_as_string;
6173         }
6174 # endif
6175         /* We can pass activated traps here. Say, -Tnn:trap_string
6176          *
6177          * However, POSIX says that subshells reset signals with traps
6178          * to SIG_DFL.
6179          * I tested bash-3.2 and it not only does that with true subshells
6180          * of the form ( list ), but with any forked children shells.
6181          * I set trap "echo W" WINCH; and then tried:
6182          *
6183          * { echo 1; sleep 20; echo 2; } &
6184          * while true; do echo 1; sleep 20; echo 2; break; done &
6185          * true | { echo 1; sleep 20; echo 2; } | cat
6186          *
6187          * In all these cases sending SIGWINCH to the child shell
6188          * did not run the trap. If I add trap "echo V" WINCH;
6189          * _inside_ group (just before echo 1), it works.
6190          *
6191          * I conclude it means we don't need to pass active traps here.
6192          */
6193         *pp++ = (char *) "-c";
6194         *pp++ = (char *) s;
6195         if (builtin_argv) {
6196                 while (*++builtin_argv)
6197                         *pp++ = *builtin_argv;
6198                 *pp++ = (char *) "";
6199         }
6200         *pp++ = g_argv0;
6201         while (*g_argv)
6202                 *pp++ = *g_argv++;
6203         /* *pp = NULL; - is already there */
6204         pp = environ;
6205
6206  do_exec:
6207         debug_printf_exec("re_execute_shell pid:%d cmd:'%s'\n", getpid(), s);
6208         /* Don't propagate SIG_IGN to the child */
6209         if (SPECIAL_JOBSTOP_SIGS != 0)
6210                 switch_off_special_sigs(G.special_sig_mask & SPECIAL_JOBSTOP_SIGS);
6211         execve(bb_busybox_exec_path, argv, pp);
6212         /* Fallback. Useful for init=/bin/hush usage etc */
6213         if (argv[0][0] == '/')
6214                 execve(argv[0], argv, pp);
6215         xfunc_error_retval = 127;
6216         bb_error_msg_and_die("can't re-execute the shell");
6217 }
6218 #endif  /* !BB_MMU */
6219
6220
6221 static int run_and_free_list(struct pipe *pi);
6222
6223 /* Executing from string: eval, sh -c '...'
6224  *          or from file: /etc/profile, . file, sh <script>, sh (intereactive)
6225  * end_trigger controls how often we stop parsing
6226  * NUL: parse all, execute, return
6227  * ';': parse till ';' or newline, execute, repeat till EOF
6228  */
6229 static void parse_and_run_stream(struct in_str *inp, int end_trigger)
6230 {
6231         /* Why we need empty flag?
6232          * An obscure corner case "false; ``; echo $?":
6233          * empty command in `` should still set $? to 0.
6234          * But we can't just set $? to 0 at the start,
6235          * this breaks "false; echo `echo $?`" case.
6236          */
6237         bool empty = 1;
6238         while (1) {
6239                 struct pipe *pipe_list;
6240
6241 #if ENABLE_HUSH_INTERACTIVE
6242                 if (end_trigger == ';')
6243                         inp->promptmode = 0; /* PS1 */
6244 #endif
6245                 pipe_list = parse_stream(NULL, inp, end_trigger);
6246                 if (!pipe_list || pipe_list == ERR_PTR) { /* EOF/error */
6247                         /* If we are in "big" script
6248                          * (not in `cmd` or something similar)...
6249                          */
6250                         if (pipe_list == ERR_PTR && end_trigger == ';') {
6251                                 /* Discard cached input (rest of line) */
6252                                 int ch = inp->last_char;
6253                                 while (ch != EOF && ch != '\n') {
6254                                         //bb_error_msg("Discarded:'%c'", ch);
6255                                         ch = i_getch(inp);
6256                                 }
6257                                 /* Force prompt */
6258                                 inp->p = NULL;
6259                                 /* This stream isn't empty */
6260                                 empty = 0;
6261                                 continue;
6262                         }
6263                         if (!pipe_list && empty)
6264                                 G.last_exitcode = 0;
6265                         break;
6266                 }
6267                 debug_print_tree(pipe_list, 0);
6268                 debug_printf_exec("parse_and_run_stream: run_and_free_list\n");
6269                 run_and_free_list(pipe_list);
6270                 empty = 0;
6271                 if (G_flag_return_in_progress == 1)
6272                         break;
6273         }
6274 }
6275
6276 static void parse_and_run_string(const char *s)
6277 {
6278         struct in_str input;
6279         setup_string_in_str(&input, s);
6280         parse_and_run_stream(&input, '\0');
6281 }
6282
6283 static void parse_and_run_file(FILE *f)
6284 {
6285         struct in_str input;
6286         setup_file_in_str(&input, f);
6287         parse_and_run_stream(&input, ';');
6288 }
6289
6290 #if ENABLE_HUSH_TICK
6291 static FILE *generate_stream_from_string(const char *s, pid_t *pid_p)
6292 {
6293         pid_t pid;
6294         int channel[2];
6295 # if !BB_MMU
6296         char **to_free = NULL;
6297 # endif
6298
6299         xpipe(channel);
6300         pid = BB_MMU ? xfork() : xvfork();
6301         if (pid == 0) { /* child */
6302                 disable_restore_tty_pgrp_on_exit();
6303                 /* Process substitution is not considered to be usual
6304                  * 'command execution'.
6305                  * SUSv3 says ctrl-Z should be ignored, ctrl-C should not.
6306                  */
6307                 bb_signals(0
6308                         + (1 << SIGTSTP)
6309                         + (1 << SIGTTIN)
6310                         + (1 << SIGTTOU)
6311                         , SIG_IGN);
6312                 CLEAR_RANDOM_T(&G.random_gen); /* or else $RANDOM repeats in child */
6313                 close(channel[0]); /* NB: close _first_, then move fd! */
6314                 xmove_fd(channel[1], 1);
6315                 /* Prevent it from trying to handle ctrl-z etc */
6316                 IF_HUSH_JOB(G.run_list_level = 1;)
6317 # if ENABLE_HUSH_TRAP
6318                 /* Awful hack for `trap` or $(trap).
6319                  *
6320                  * http://www.opengroup.org/onlinepubs/009695399/utilities/trap.html
6321                  * contains an example where "trap" is executed in a subshell:
6322                  *
6323                  * save_traps=$(trap)
6324                  * ...
6325                  * eval "$save_traps"
6326                  *
6327                  * Standard does not say that "trap" in subshell shall print
6328                  * parent shell's traps. It only says that its output
6329                  * must have suitable form, but then, in the above example
6330                  * (which is not supposed to be normative), it implies that.
6331                  *
6332                  * bash (and probably other shell) does implement it
6333                  * (traps are reset to defaults, but "trap" still shows them),
6334                  * but as a result, "trap" logic is hopelessly messed up:
6335                  *
6336                  * # trap
6337                  * trap -- 'echo Ho' SIGWINCH  <--- we have a handler
6338                  * # (trap)        <--- trap is in subshell - no output (correct, traps are reset)
6339                  * # true | trap   <--- trap is in subshell - no output (ditto)
6340                  * # echo `true | trap`    <--- in subshell - output (but traps are reset!)
6341                  * trap -- 'echo Ho' SIGWINCH
6342                  * # echo `(trap)`         <--- in subshell in subshell - output
6343                  * trap -- 'echo Ho' SIGWINCH
6344                  * # echo `true | (trap)`  <--- in subshell in subshell in subshell - output!
6345                  * trap -- 'echo Ho' SIGWINCH
6346                  *
6347                  * The rules when to forget and when to not forget traps
6348                  * get really complex and nonsensical.
6349                  *
6350                  * Our solution: ONLY bare $(trap) or `trap` is special.
6351                  */
6352                 s = skip_whitespace(s);
6353                 if (is_prefixed_with(s, "trap")
6354                  && skip_whitespace(s + 4)[0] == '\0'
6355                 ) {
6356                         static const char *const argv[] = { NULL, NULL };
6357                         builtin_trap((char**)argv);
6358                         fflush_all(); /* important */
6359                         _exit(0);
6360                 }
6361 # endif
6362 # if BB_MMU
6363                 reset_traps_to_defaults();
6364                 parse_and_run_string(s);
6365                 _exit(G.last_exitcode);
6366 # else
6367         /* We re-execute after vfork on NOMMU. This makes this script safe:
6368          * yes "0123456789012345678901234567890" | dd bs=32 count=64k >BIG
6369          * huge=`cat BIG` # was blocking here forever
6370          * echo OK
6371          */
6372                 re_execute_shell(&to_free,
6373                                 s,
6374                                 G.global_argv[0],
6375                                 G.global_argv + 1,
6376                                 NULL);
6377 # endif
6378         }
6379
6380         /* parent */
6381         *pid_p = pid;
6382 # if ENABLE_HUSH_FAST
6383         G.count_SIGCHLD++;
6384 //bb_error_msg("[%d] fork in generate_stream_from_string:"
6385 //              " G.count_SIGCHLD:%d G.handled_SIGCHLD:%d",
6386 //              getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
6387 # endif
6388         enable_restore_tty_pgrp_on_exit();
6389 # if !BB_MMU
6390         free(to_free);
6391 # endif
6392         close(channel[1]);
6393         return remember_FILE(xfdopen_for_read(channel[0]));
6394 }
6395
6396 /* Return code is exit status of the process that is run. */
6397 static int process_command_subs(o_string *dest, const char *s)
6398 {
6399         FILE *fp;
6400         struct in_str pipe_str;
6401         pid_t pid;
6402         int status, ch, eol_cnt;
6403
6404         fp = generate_stream_from_string(s, &pid);
6405
6406         /* Now send results of command back into original context */
6407         setup_file_in_str(&pipe_str, fp);
6408         eol_cnt = 0;
6409         while ((ch = i_getch(&pipe_str)) != EOF) {
6410                 if (ch == '\n') {
6411                         eol_cnt++;
6412                         continue;
6413                 }
6414                 while (eol_cnt) {
6415                         o_addchr(dest, '\n');
6416                         eol_cnt--;
6417                 }
6418                 o_addQchr(dest, ch);
6419         }
6420
6421         debug_printf("done reading from `cmd` pipe, closing it\n");
6422         fclose_and_forget(fp);
6423         /* We need to extract exitcode. Test case
6424          * "true; echo `sleep 1; false` $?"
6425          * should print 1 */
6426         safe_waitpid(pid, &status, 0);
6427         debug_printf("child exited. returning its exitcode:%d\n", WEXITSTATUS(status));
6428         return WEXITSTATUS(status);
6429 }
6430 #endif /* ENABLE_HUSH_TICK */
6431
6432
6433 static void setup_heredoc(struct redir_struct *redir)
6434 {
6435         struct fd_pair pair;
6436         pid_t pid;
6437         int len, written;
6438         /* the _body_ of heredoc (misleading field name) */
6439         const char *heredoc = redir->rd_filename;
6440         char *expanded;
6441 #if !BB_MMU
6442         char **to_free;
6443 #endif
6444
6445         expanded = NULL;
6446         if (!(redir->rd_dup & HEREDOC_QUOTED)) {
6447                 expanded = encode_then_expand_string(heredoc, /*process_bkslash:*/ 1, /*unbackslash:*/ 1);
6448                 if (expanded)
6449                         heredoc = expanded;
6450         }
6451         len = strlen(heredoc);
6452
6453         close(redir->rd_fd); /* often saves dup2+close in xmove_fd */
6454         xpiped_pair(pair);
6455         xmove_fd(pair.rd, redir->rd_fd);
6456
6457         /* Try writing without forking. Newer kernels have
6458          * dynamically growing pipes. Must use non-blocking write! */
6459         ndelay_on(pair.wr);
6460         while (1) {
6461                 written = write(pair.wr, heredoc, len);
6462                 if (written <= 0)
6463                         break;
6464                 len -= written;
6465                 if (len == 0) {
6466                         close(pair.wr);
6467                         free(expanded);
6468                         return;
6469                 }
6470                 heredoc += written;
6471         }
6472         ndelay_off(pair.wr);
6473
6474         /* Okay, pipe buffer was not big enough */
6475         /* Note: we must not create a stray child (bastard? :)
6476          * for the unsuspecting parent process. Child creates a grandchild
6477          * and exits before parent execs the process which consumes heredoc
6478          * (that exec happens after we return from this function) */
6479 #if !BB_MMU
6480         to_free = NULL;
6481 #endif
6482         pid = xvfork();
6483         if (pid == 0) {
6484                 /* child */
6485                 disable_restore_tty_pgrp_on_exit();
6486                 pid = BB_MMU ? xfork() : xvfork();
6487                 if (pid != 0)
6488                         _exit(0);
6489                 /* grandchild */
6490                 close(redir->rd_fd); /* read side of the pipe */
6491 #if BB_MMU
6492                 full_write(pair.wr, heredoc, len); /* may loop or block */
6493                 _exit(0);
6494 #else
6495                 /* Delegate blocking writes to another process */
6496                 xmove_fd(pair.wr, STDOUT_FILENO);
6497                 re_execute_shell(&to_free, heredoc, NULL, NULL, NULL);
6498 #endif
6499         }
6500         /* parent */
6501 #if ENABLE_HUSH_FAST
6502         G.count_SIGCHLD++;
6503 //bb_error_msg("[%d] fork in setup_heredoc: G.count_SIGCHLD:%d G.handled_SIGCHLD:%d", getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
6504 #endif
6505         enable_restore_tty_pgrp_on_exit();
6506 #if !BB_MMU
6507         free(to_free);
6508 #endif
6509         close(pair.wr);
6510         free(expanded);
6511         wait(NULL); /* wait till child has died */
6512 }
6513
6514 /* fd: redirect wants this fd to be used (e.g. 3>file).
6515  * Move all conflicting internally used fds,
6516  * and remember them so that we can restore them later.
6517  */
6518 static int save_fds_on_redirect(int fd, int squirrel[3])
6519 {
6520         if (squirrel) {
6521                 /* Handle redirects of fds 0,1,2 */
6522
6523                 /* If we collide with an already moved stdio fd... */
6524                 if (fd == squirrel[0]) {
6525                         squirrel[0] = xdup_and_close(squirrel[0], F_DUPFD);
6526                         return 1;
6527                 }
6528                 if (fd == squirrel[1]) {
6529                         squirrel[1] = xdup_and_close(squirrel[1], F_DUPFD);
6530                         return 1;
6531                 }
6532                 if (fd == squirrel[2]) {
6533                         squirrel[2] = xdup_and_close(squirrel[2], F_DUPFD);
6534                         return 1;
6535                 }
6536                 /* If we are about to redirect stdio fd, and did not yet move it... */
6537                 if (fd <= 2 && squirrel[fd] < 0) {
6538                         /* We avoid taking stdio fds */
6539                         squirrel[fd] = fcntl(fd, F_DUPFD, 10);
6540                         if (squirrel[fd] < 0 && errno != EBADF)
6541                                 xfunc_die();
6542                         return 0; /* "we did not close fd" */
6543                 }
6544         }
6545
6546 #if ENABLE_HUSH_INTERACTIVE
6547         if (fd != 0 && fd == G.interactive_fd) {
6548                 G.interactive_fd = xdup_and_close(G.interactive_fd, F_DUPFD_CLOEXEC);
6549                 return 1;
6550         }
6551 #endif
6552
6553         /* Are we called from setup_redirects(squirrel==NULL)? Two cases:
6554          * (1) Redirect in a forked child. No need to save FILEs' fds,
6555          * we aren't going to use them anymore, ok to trash.
6556          * (2) "exec 3>FILE". Bummer. We can save FILEs' fds,
6557          * but how are we doing to use them?
6558          * "fileno(fd) = new_fd" can't be done.
6559          */
6560         if (!squirrel)
6561                 return 0;
6562
6563         return save_FILEs_on_redirect(fd);
6564 }
6565
6566 static void restore_redirects(int squirrel[3])
6567 {
6568         int i, fd;
6569         for (i = 0; i <= 2; i++) {
6570                 fd = squirrel[i];
6571                 if (fd != -1) {
6572                         /* We simply die on error */
6573                         xmove_fd(fd, i);
6574                 }
6575         }
6576
6577         /* Moved G.interactive_fd stays on new fd, not doing anything for it */
6578
6579         restore_redirected_FILEs();
6580 }
6581
6582 /* squirrel != NULL means we squirrel away copies of stdin, stdout,
6583  * and stderr if they are redirected. */
6584 static int setup_redirects(struct command *prog, int squirrel[])
6585 {
6586         int openfd, mode;
6587         struct redir_struct *redir;
6588
6589         for (redir = prog->redirects; redir; redir = redir->next) {
6590                 if (redir->rd_type == REDIRECT_HEREDOC2) {
6591                         /* "rd_fd<<HERE" case */
6592                         save_fds_on_redirect(redir->rd_fd, squirrel);
6593                         /* for REDIRECT_HEREDOC2, rd_filename holds _contents_
6594                          * of the heredoc */
6595                         debug_printf_parse("set heredoc '%s'\n",
6596                                         redir->rd_filename);
6597                         setup_heredoc(redir);
6598                         continue;
6599                 }
6600
6601                 if (redir->rd_dup == REDIRFD_TO_FILE) {
6602                         /* "rd_fd<*>file" case (<*> is <,>,>>,<>) */
6603                         char *p;
6604                         if (redir->rd_filename == NULL) {
6605                                 /*
6606                                  * Examples:
6607                                  * "cmd >" (no filename)
6608                                  * "cmd > <file" (2nd redirect starts too early)
6609                                  */
6610                                 die_if_script("syntax error: %s", "invalid redirect");
6611                                 continue;
6612                         }
6613                         mode = redir_table[redir->rd_type].mode;
6614                         p = expand_string_to_string(redir->rd_filename, /*unbackslash:*/ 1);
6615                         openfd = open_or_warn(p, mode);
6616                         free(p);
6617                         if (openfd < 0) {
6618                                 /* Error message from open_or_warn can be lost
6619                                  * if stderr has been redirected, but bash
6620                                  * and ash both lose it as well
6621                                  * (though zsh doesn't!)
6622                                  */
6623                                 return 1;
6624                         }
6625                 } else {
6626                         /* "rd_fd<*>rd_dup" or "rd_fd<*>-" cases */
6627                         openfd = redir->rd_dup;
6628                 }
6629
6630                 if (openfd != redir->rd_fd) {
6631                         int closed = save_fds_on_redirect(redir->rd_fd, squirrel);
6632                         if (openfd == REDIRFD_CLOSE) {
6633                                 /* "rd_fd >&-" means "close me" */
6634                                 if (!closed) {
6635                                         /* ^^^ optimization: saving may already
6636                                          * have closed it. If not... */
6637                                         close(redir->rd_fd);
6638                                 }
6639                         } else {
6640                                 xdup2(openfd, redir->rd_fd);
6641                                 if (redir->rd_dup == REDIRFD_TO_FILE)
6642                                         /* "rd_fd > FILE" */
6643                                         close(openfd);
6644                                 /* else: "rd_fd > rd_dup" */
6645                         }
6646                 }
6647         }
6648         return 0;
6649 }
6650
6651 static char *find_in_path(const char *arg)
6652 {
6653         char *ret = NULL;
6654         const char *PATH = get_local_var_value("PATH");
6655
6656         if (!PATH)
6657                 return NULL;
6658
6659         while (1) {
6660                 const char *end = strchrnul(PATH, ':');
6661                 int sz = end - PATH; /* must be int! */
6662
6663                 free(ret);
6664                 if (sz != 0) {
6665                         ret = xasprintf("%.*s/%s", sz, PATH, arg);
6666                 } else {
6667                         /* We have xxx::yyyy in $PATH,
6668                          * it means "use current dir" */
6669                         ret = xstrdup(arg);
6670                 }
6671                 if (access(ret, F_OK) == 0)
6672                         break;
6673
6674                 if (*end == '\0') {
6675                         free(ret);
6676                         return NULL;
6677                 }
6678                 PATH = end + 1;
6679         }
6680
6681         return ret;
6682 }
6683
6684 static const struct built_in_command *find_builtin_helper(const char *name,
6685                 const struct built_in_command *x,
6686                 const struct built_in_command *end)
6687 {
6688         while (x != end) {
6689                 if (strcmp(name, x->b_cmd) != 0) {
6690                         x++;
6691                         continue;
6692                 }
6693                 debug_printf_exec("found builtin '%s'\n", name);
6694                 return x;
6695         }
6696         return NULL;
6697 }
6698 static const struct built_in_command *find_builtin1(const char *name)
6699 {
6700         return find_builtin_helper(name, bltins1, &bltins1[ARRAY_SIZE(bltins1)]);
6701 }
6702 static const struct built_in_command *find_builtin(const char *name)
6703 {
6704         const struct built_in_command *x = find_builtin1(name);
6705         if (x)
6706                 return x;
6707         return find_builtin_helper(name, bltins2, &bltins2[ARRAY_SIZE(bltins2)]);
6708 }
6709
6710 #if ENABLE_HUSH_FUNCTIONS
6711 static struct function **find_function_slot(const char *name)
6712 {
6713         struct function **funcpp = &G.top_func;
6714         while (*funcpp) {
6715                 if (strcmp(name, (*funcpp)->name) == 0) {
6716                         break;
6717                 }
6718                 funcpp = &(*funcpp)->next;
6719         }
6720         return funcpp;
6721 }
6722
6723 static const struct function *find_function(const char *name)
6724 {
6725         const struct function *funcp = *find_function_slot(name);
6726         if (funcp)
6727                 debug_printf_exec("found function '%s'\n", name);
6728         return funcp;
6729 }
6730
6731 /* Note: takes ownership on name ptr */
6732 static struct function *new_function(char *name)
6733 {
6734         struct function **funcpp = find_function_slot(name);
6735         struct function *funcp = *funcpp;
6736
6737         if (funcp != NULL) {
6738                 struct command *cmd = funcp->parent_cmd;
6739                 debug_printf_exec("func %p parent_cmd %p\n", funcp, cmd);
6740                 if (!cmd) {
6741                         debug_printf_exec("freeing & replacing function '%s'\n", funcp->name);
6742                         free(funcp->name);
6743                         /* Note: if !funcp->body, do not free body_as_string!
6744                          * This is a special case of "-F name body" function:
6745                          * body_as_string was not malloced! */
6746                         if (funcp->body) {
6747                                 free_pipe_list(funcp->body);
6748 # if !BB_MMU
6749                                 free(funcp->body_as_string);
6750 # endif
6751                         }
6752                 } else {
6753                         debug_printf_exec("reinserting in tree & replacing function '%s'\n", funcp->name);
6754                         cmd->argv[0] = funcp->name;
6755                         cmd->group = funcp->body;
6756 # if !BB_MMU
6757                         cmd->group_as_string = funcp->body_as_string;
6758 # endif
6759                 }
6760         } else {
6761                 debug_printf_exec("remembering new function '%s'\n", name);
6762                 funcp = *funcpp = xzalloc(sizeof(*funcp));
6763                 /*funcp->next = NULL;*/
6764         }
6765
6766         funcp->name = name;
6767         return funcp;
6768 }
6769
6770 # if ENABLE_HUSH_UNSET
6771 static void unset_func(const char *name)
6772 {
6773         struct function **funcpp = find_function_slot(name);
6774         struct function *funcp = *funcpp;
6775
6776         if (funcp != NULL) {
6777                 debug_printf_exec("freeing function '%s'\n", funcp->name);
6778                 *funcpp = funcp->next;
6779                 /* funcp is unlinked now, deleting it.
6780                  * Note: if !funcp->body, the function was created by
6781                  * "-F name body", do not free ->body_as_string
6782                  * and ->name as they were not malloced. */
6783                 if (funcp->body) {
6784                         free_pipe_list(funcp->body);
6785                         free(funcp->name);
6786 #  if !BB_MMU
6787                         free(funcp->body_as_string);
6788 #  endif
6789                 }
6790                 free(funcp);
6791         }
6792 }
6793 # endif
6794
6795 # if BB_MMU
6796 #define exec_function(to_free, funcp, argv) \
6797         exec_function(funcp, argv)
6798 # endif
6799 static void exec_function(char ***to_free,
6800                 const struct function *funcp,
6801                 char **argv) NORETURN;
6802 static void exec_function(char ***to_free,
6803                 const struct function *funcp,
6804                 char **argv)
6805 {
6806 # if BB_MMU
6807         int n = 1;
6808
6809         argv[0] = G.global_argv[0];
6810         G.global_argv = argv;
6811         while (*++argv)
6812                 n++;
6813         G.global_argc = n;
6814         /* On MMU, funcp->body is always non-NULL */
6815         n = run_list(funcp->body);
6816         fflush_all();
6817         _exit(n);
6818 # else
6819         re_execute_shell(to_free,
6820                         funcp->body_as_string,
6821                         G.global_argv[0],
6822                         argv + 1,
6823                         NULL);
6824 # endif
6825 }
6826
6827 static int run_function(const struct function *funcp, char **argv)
6828 {
6829         int rc;
6830         save_arg_t sv;
6831         smallint sv_flg;
6832
6833         save_and_replace_G_args(&sv, argv);
6834
6835         /* "we are in function, ok to use return" */
6836         sv_flg = G_flag_return_in_progress;
6837         G_flag_return_in_progress = -1;
6838 # if ENABLE_HUSH_LOCAL
6839         G.func_nest_level++;
6840 # endif
6841
6842         /* On MMU, funcp->body is always non-NULL */
6843 # if !BB_MMU
6844         if (!funcp->body) {
6845                 /* Function defined by -F */
6846                 parse_and_run_string(funcp->body_as_string);
6847                 rc = G.last_exitcode;
6848         } else
6849 # endif
6850         {
6851                 rc = run_list(funcp->body);
6852         }
6853
6854 # if ENABLE_HUSH_LOCAL
6855         {
6856                 struct variable *var;
6857                 struct variable **var_pp;
6858
6859                 var_pp = &G.top_var;
6860                 while ((var = *var_pp) != NULL) {
6861                         if (var->func_nest_level < G.func_nest_level) {
6862                                 var_pp = &var->next;
6863                                 continue;
6864                         }
6865                         /* Unexport */
6866                         if (var->flg_export)
6867                                 bb_unsetenv(var->varstr);
6868                         /* Remove from global list */
6869                         *var_pp = var->next;
6870                         /* Free */
6871                         if (!var->max_len)
6872                                 free(var->varstr);
6873                         free(var);
6874                 }
6875                 G.func_nest_level--;
6876         }
6877 # endif
6878         G_flag_return_in_progress = sv_flg;
6879
6880         restore_G_args(&sv, argv);
6881
6882         return rc;
6883 }
6884 #endif /* ENABLE_HUSH_FUNCTIONS */
6885
6886
6887 #if BB_MMU
6888 #define exec_builtin(to_free, x, argv) \
6889         exec_builtin(x, argv)
6890 #else
6891 #define exec_builtin(to_free, x, argv) \
6892         exec_builtin(to_free, argv)
6893 #endif
6894 static void exec_builtin(char ***to_free,
6895                 const struct built_in_command *x,
6896                 char **argv) NORETURN;
6897 static void exec_builtin(char ***to_free,
6898                 const struct built_in_command *x,
6899                 char **argv)
6900 {
6901 #if BB_MMU
6902         int rcode;
6903         fflush_all();
6904         rcode = x->b_function(argv);
6905         fflush_all();
6906         _exit(rcode);
6907 #else
6908         fflush_all();
6909         /* On NOMMU, we must never block!
6910          * Example: { sleep 99 | read line; } & echo Ok
6911          */
6912         re_execute_shell(to_free,
6913                         argv[0],
6914                         G.global_argv[0],
6915                         G.global_argv + 1,
6916                         argv);
6917 #endif
6918 }
6919
6920
6921 static void execvp_or_die(char **argv) NORETURN;
6922 static void execvp_or_die(char **argv)
6923 {
6924         int e;
6925         debug_printf_exec("execing '%s'\n", argv[0]);
6926         /* Don't propagate SIG_IGN to the child */
6927         if (SPECIAL_JOBSTOP_SIGS != 0)
6928                 switch_off_special_sigs(G.special_sig_mask & SPECIAL_JOBSTOP_SIGS);
6929         execvp(argv[0], argv);
6930         e = 2;
6931         if (errno == EACCES) e = 126;
6932         if (errno == ENOENT) e = 127;
6933         bb_perror_msg("can't execute '%s'", argv[0]);
6934         _exit(e);
6935 }
6936
6937 #if ENABLE_HUSH_MODE_X
6938 static void dump_cmd_in_x_mode(char **argv)
6939 {
6940         if (G_x_mode && argv) {
6941                 /* We want to output the line in one write op */
6942                 char *buf, *p;
6943                 int len;
6944                 int n;
6945
6946                 len = 3;
6947                 n = 0;
6948                 while (argv[n])
6949                         len += strlen(argv[n++]) + 1;
6950                 buf = xmalloc(len);
6951                 buf[0] = '+';
6952                 p = buf + 1;
6953                 n = 0;
6954                 while (argv[n])
6955                         p += sprintf(p, " %s", argv[n++]);
6956                 *p++ = '\n';
6957                 *p = '\0';
6958                 fputs(buf, stderr);
6959                 free(buf);
6960         }
6961 }
6962 #else
6963 # define dump_cmd_in_x_mode(argv) ((void)0)
6964 #endif
6965
6966 #if BB_MMU
6967 #define pseudo_exec_argv(nommu_save, argv, assignment_cnt, argv_expanded) \
6968         pseudo_exec_argv(argv, assignment_cnt, argv_expanded)
6969 #define pseudo_exec(nommu_save, command, argv_expanded) \
6970         pseudo_exec(command, argv_expanded)
6971 #endif
6972
6973 /* Called after [v]fork() in run_pipe, or from builtin_exec.
6974  * Never returns.
6975  * Don't exit() here.  If you don't exec, use _exit instead.
6976  * The at_exit handlers apparently confuse the calling process,
6977  * in particular stdin handling. Not sure why? -- because of vfork! (vda)
6978  */
6979 static void pseudo_exec_argv(nommu_save_t *nommu_save,
6980                 char **argv, int assignment_cnt,
6981                 char **argv_expanded) NORETURN;
6982 static NOINLINE void pseudo_exec_argv(nommu_save_t *nommu_save,
6983                 char **argv, int assignment_cnt,
6984                 char **argv_expanded)
6985 {
6986         char **new_env;
6987
6988         new_env = expand_assignments(argv, assignment_cnt);
6989         dump_cmd_in_x_mode(new_env);
6990
6991         if (!argv[assignment_cnt]) {
6992                 /* Case when we are here: ... | var=val | ...
6993                  * (note that we do not exit early, i.e., do not optimize out
6994                  * expand_assignments(): think about ... | var=`sleep 1` | ...
6995                  */
6996                 free_strings(new_env);
6997                 _exit(EXIT_SUCCESS);
6998         }
6999
7000 #if BB_MMU
7001         set_vars_and_save_old(new_env);
7002         free(new_env); /* optional */
7003         /* we can also destroy set_vars_and_save_old's return value,
7004          * to save memory */
7005 #else
7006         nommu_save->new_env = new_env;
7007         nommu_save->old_vars = set_vars_and_save_old(new_env);
7008 #endif
7009
7010         if (argv_expanded) {
7011                 argv = argv_expanded;
7012         } else {
7013                 argv = expand_strvec_to_strvec(argv + assignment_cnt);
7014 #if !BB_MMU
7015                 nommu_save->argv = argv;
7016 #endif
7017         }
7018         dump_cmd_in_x_mode(argv);
7019
7020 #if ENABLE_FEATURE_SH_STANDALONE || BB_MMU
7021         if (strchr(argv[0], '/') != NULL)
7022                 goto skip;
7023 #endif
7024
7025         /* Check if the command matches any of the builtins.
7026          * Depending on context, this might be redundant.  But it's
7027          * easier to waste a few CPU cycles than it is to figure out
7028          * if this is one of those cases.
7029          */
7030         {
7031                 /* On NOMMU, it is more expensive to re-execute shell
7032                  * just in order to run echo or test builtin.
7033                  * It's better to skip it here and run corresponding
7034                  * non-builtin later. */
7035                 const struct built_in_command *x;
7036                 x = BB_MMU ? find_builtin(argv[0]) : find_builtin1(argv[0]);
7037                 if (x) {
7038                         exec_builtin(&nommu_save->argv_from_re_execing, x, argv);
7039                 }
7040         }
7041 #if ENABLE_HUSH_FUNCTIONS
7042         /* Check if the command matches any functions */
7043         {
7044                 const struct function *funcp = find_function(argv[0]);
7045                 if (funcp) {
7046                         exec_function(&nommu_save->argv_from_re_execing, funcp, argv);
7047                 }
7048         }
7049 #endif
7050
7051 #if ENABLE_FEATURE_SH_STANDALONE
7052         /* Check if the command matches any busybox applets */
7053         {
7054                 int a = find_applet_by_name(argv[0]);
7055                 if (a >= 0) {
7056 # if BB_MMU /* see above why on NOMMU it is not allowed */
7057                         if (APPLET_IS_NOEXEC(a)) {
7058                                 /* Do not leak open fds from opened script files etc */
7059                                 close_all_FILE_list();
7060                                 debug_printf_exec("running applet '%s'\n", argv[0]);
7061                                 run_applet_no_and_exit(a, argv);
7062                         }
7063 # endif
7064                         /* Re-exec ourselves */
7065                         debug_printf_exec("re-execing applet '%s'\n", argv[0]);
7066                         /* Don't propagate SIG_IGN to the child */
7067                         if (SPECIAL_JOBSTOP_SIGS != 0)
7068                                 switch_off_special_sigs(G.special_sig_mask & SPECIAL_JOBSTOP_SIGS);
7069                         execv(bb_busybox_exec_path, argv);
7070                         /* If they called chroot or otherwise made the binary no longer
7071                          * executable, fall through */
7072                 }
7073         }
7074 #endif
7075
7076 #if ENABLE_FEATURE_SH_STANDALONE || BB_MMU
7077  skip:
7078 #endif
7079         execvp_or_die(argv);
7080 }
7081
7082 /* Called after [v]fork() in run_pipe
7083  */
7084 static void pseudo_exec(nommu_save_t *nommu_save,
7085                 struct command *command,
7086                 char **argv_expanded) NORETURN;
7087 static void pseudo_exec(nommu_save_t *nommu_save,
7088                 struct command *command,
7089                 char **argv_expanded)
7090 {
7091         if (command->argv) {
7092                 pseudo_exec_argv(nommu_save, command->argv,
7093                                 command->assignment_cnt, argv_expanded);
7094         }
7095
7096         if (command->group) {
7097                 /* Cases when we are here:
7098                  * ( list )
7099                  * { list } &
7100                  * ... | ( list ) | ...
7101                  * ... | { list } | ...
7102                  */
7103 #if BB_MMU
7104                 int rcode;
7105                 debug_printf_exec("pseudo_exec: run_list\n");
7106                 reset_traps_to_defaults();
7107                 rcode = run_list(command->group);
7108                 /* OK to leak memory by not calling free_pipe_list,
7109                  * since this process is about to exit */
7110                 _exit(rcode);
7111 #else
7112                 re_execute_shell(&nommu_save->argv_from_re_execing,
7113                                 command->group_as_string,
7114                                 G.global_argv[0],
7115                                 G.global_argv + 1,
7116                                 NULL);
7117 #endif
7118         }
7119
7120         /* Case when we are here: ... | >file */
7121         debug_printf_exec("pseudo_exec'ed null command\n");
7122         _exit(EXIT_SUCCESS);
7123 }
7124
7125 #if ENABLE_HUSH_JOB
7126 static const char *get_cmdtext(struct pipe *pi)
7127 {
7128         char **argv;
7129         char *p;
7130         int len;
7131
7132         /* This is subtle. ->cmdtext is created only on first backgrounding.
7133          * (Think "cat, <ctrl-z>, fg, <ctrl-z>, fg, <ctrl-z>...." here...)
7134          * On subsequent bg argv is trashed, but we won't use it */
7135         if (pi->cmdtext)
7136                 return pi->cmdtext;
7137
7138         argv = pi->cmds[0].argv;
7139         if (!argv) {
7140                 pi->cmdtext = xzalloc(1);
7141                 return pi->cmdtext;
7142         }
7143         len = 0;
7144         do {
7145                 len += strlen(*argv) + 1;
7146         } while (*++argv);
7147         p = xmalloc(len);
7148         pi->cmdtext = p;
7149         argv = pi->cmds[0].argv;
7150         do {
7151                 p = stpcpy(p, *argv);
7152                 *p++ = ' ';
7153         } while (*++argv);
7154         p[-1] = '\0';
7155         return pi->cmdtext;
7156 }
7157
7158 static void insert_bg_job(struct pipe *pi)
7159 {
7160         struct pipe *job, **jobp;
7161         int i;
7162
7163         /* Linear search for the ID of the job to use */
7164         pi->jobid = 1;
7165         for (job = G.job_list; job; job = job->next)
7166                 if (job->jobid >= pi->jobid)
7167                         pi->jobid = job->jobid + 1;
7168
7169         /* Add job to the list of running jobs */
7170         jobp = &G.job_list;
7171         while ((job = *jobp) != NULL)
7172                 jobp = &job->next;
7173         job = *jobp = xmalloc(sizeof(*job));
7174
7175         *job = *pi; /* physical copy */
7176         job->next = NULL;
7177         job->cmds = xzalloc(sizeof(pi->cmds[0]) * pi->num_cmds);
7178         /* Cannot copy entire pi->cmds[] vector! This causes double frees */
7179         for (i = 0; i < pi->num_cmds; i++) {
7180                 job->cmds[i].pid = pi->cmds[i].pid;
7181                 /* all other fields are not used and stay zero */
7182         }
7183         job->cmdtext = xstrdup(get_cmdtext(pi));
7184
7185         if (G_interactive_fd)
7186                 printf("[%u] %u %s\n", job->jobid, (unsigned)job->cmds[0].pid, job->cmdtext);
7187         G.last_jobid = job->jobid;
7188 }
7189
7190 static void remove_bg_job(struct pipe *pi)
7191 {
7192         struct pipe *prev_pipe;
7193
7194         if (pi == G.job_list) {
7195                 G.job_list = pi->next;
7196         } else {
7197                 prev_pipe = G.job_list;
7198                 while (prev_pipe->next != pi)
7199                         prev_pipe = prev_pipe->next;
7200                 prev_pipe->next = pi->next;
7201         }
7202         if (G.job_list)
7203                 G.last_jobid = G.job_list->jobid;
7204         else
7205                 G.last_jobid = 0;
7206 }
7207
7208 /* Remove a backgrounded job */
7209 static void delete_finished_bg_job(struct pipe *pi)
7210 {
7211         remove_bg_job(pi);
7212         free_pipe(pi);
7213 }
7214 #endif /* JOB */
7215
7216 static int job_exited_or_stopped(struct pipe *pi)
7217 {
7218         int rcode, i;
7219
7220         if (pi->alive_cmds != pi->stopped_cmds)
7221                 return -1;
7222
7223         /* All processes in fg pipe have exited or stopped */
7224         rcode = 0;
7225         i = pi->num_cmds;
7226         while (--i >= 0) {
7227                 rcode = pi->cmds[i].cmd_exitcode;
7228                 /* usually last process gives overall exitstatus,
7229                  * but with "set -o pipefail", last *failed* process does */
7230                 if (G.o_opt[OPT_O_PIPEFAIL] == 0 || rcode != 0)
7231                         break;
7232         }
7233         IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
7234         return rcode;
7235 }
7236
7237 static int process_wait_result(struct pipe *fg_pipe, pid_t childpid, int status)
7238 {
7239 #if ENABLE_HUSH_JOB
7240         struct pipe *pi;
7241 #endif
7242         int i, dead;
7243
7244         dead = WIFEXITED(status) || WIFSIGNALED(status);
7245
7246 #if DEBUG_JOBS
7247         if (WIFSTOPPED(status))
7248                 debug_printf_jobs("pid %d stopped by sig %d (exitcode %d)\n",
7249                                 childpid, WSTOPSIG(status), WEXITSTATUS(status));
7250         if (WIFSIGNALED(status))
7251                 debug_printf_jobs("pid %d killed by sig %d (exitcode %d)\n",
7252                                 childpid, WTERMSIG(status), WEXITSTATUS(status));
7253         if (WIFEXITED(status))
7254                 debug_printf_jobs("pid %d exited, exitcode %d\n",
7255                                 childpid, WEXITSTATUS(status));
7256 #endif
7257         /* Were we asked to wait for a fg pipe? */
7258         if (fg_pipe) {
7259                 i = fg_pipe->num_cmds;
7260
7261                 while (--i >= 0) {
7262                         int rcode;
7263
7264                         debug_printf_jobs("check pid %d\n", fg_pipe->cmds[i].pid);
7265                         if (fg_pipe->cmds[i].pid != childpid)
7266                                 continue;
7267                         if (dead) {
7268                                 int ex;
7269                                 fg_pipe->cmds[i].pid = 0;
7270                                 fg_pipe->alive_cmds--;
7271                                 ex = WEXITSTATUS(status);
7272                                 /* bash prints killer signal's name for *last*
7273                                  * process in pipe (prints just newline for SIGINT/SIGPIPE).
7274                                  * Mimic this. Example: "sleep 5" + (^\ or kill -QUIT)
7275                                  */
7276                                 if (WIFSIGNALED(status)) {
7277                                         int sig = WTERMSIG(status);
7278                                         if (i == fg_pipe->num_cmds-1)
7279                                                 /* TODO: use strsignal() instead for bash compat? but that's bloat... */
7280                                                 puts(sig == SIGINT || sig == SIGPIPE ? "" : get_signame(sig));
7281                                         /* TODO: if (WCOREDUMP(status)) + " (core dumped)"; */
7282                                         /* TODO: MIPS has 128 sigs (1..128), what if sig==128 here?
7283                                          * Maybe we need to use sig | 128? */
7284                                         ex = sig + 128;
7285                                 }
7286                                 fg_pipe->cmds[i].cmd_exitcode = ex;
7287                         } else {
7288                                 fg_pipe->stopped_cmds++;
7289                         }
7290                         debug_printf_jobs("fg_pipe: alive_cmds %d stopped_cmds %d\n",
7291                                         fg_pipe->alive_cmds, fg_pipe->stopped_cmds);
7292                         rcode = job_exited_or_stopped(fg_pipe);
7293                         if (rcode >= 0) {
7294 /* Note: *non-interactive* bash does not continue if all processes in fg pipe
7295  * are stopped. Testcase: "cat | cat" in a script (not on command line!)
7296  * and "killall -STOP cat" */
7297                                 if (G_interactive_fd) {
7298 #if ENABLE_HUSH_JOB
7299                                         if (fg_pipe->alive_cmds != 0)
7300                                                 insert_bg_job(fg_pipe);
7301 #endif
7302                                         return rcode;
7303                                 }
7304                                 if (fg_pipe->alive_cmds == 0)
7305                                         return rcode;
7306                         }
7307                         /* There are still running processes in the fg_pipe */
7308                         return -1;
7309                 }
7310                 /* It wasnt in fg_pipe, look for process in bg pipes */
7311         }
7312
7313 #if ENABLE_HUSH_JOB
7314         /* We were asked to wait for bg or orphaned children */
7315         /* No need to remember exitcode in this case */
7316         for (pi = G.job_list; pi; pi = pi->next) {
7317                 for (i = 0; i < pi->num_cmds; i++) {
7318                         if (pi->cmds[i].pid == childpid)
7319                                 goto found_pi_and_prognum;
7320                 }
7321         }
7322         /* Happens when shell is used as init process (init=/bin/sh) */
7323         debug_printf("checkjobs: pid %d was not in our list!\n", childpid);
7324         return -1; /* this wasn't a process from fg_pipe */
7325
7326  found_pi_and_prognum:
7327         if (dead) {
7328                 /* child exited */
7329                 pi->cmds[i].pid = 0;
7330                 pi->cmds[i].cmd_exitcode = WEXITSTATUS(status);
7331                 if (WIFSIGNALED(status))
7332                         pi->cmds[i].cmd_exitcode = 128 + WTERMSIG(status);
7333                 pi->alive_cmds--;
7334                 if (!pi->alive_cmds) {
7335                         if (G_interactive_fd)
7336                                 printf(JOB_STATUS_FORMAT, pi->jobid,
7337                                                 "Done", pi->cmdtext);
7338                         delete_finished_bg_job(pi);
7339                 }
7340         } else {
7341                 /* child stopped */
7342                 pi->stopped_cmds++;
7343         }
7344 #endif
7345         return -1; /* this wasn't a process from fg_pipe */
7346 }
7347
7348 /* Check to see if any processes have exited -- if they have,
7349  * figure out why and see if a job has completed.
7350  *
7351  * If non-NULL fg_pipe: wait for its completion or stop.
7352  * Return its exitcode or zero if stopped.
7353  *
7354  * Alternatively (fg_pipe == NULL, waitfor_pid != 0):
7355  * waitpid(WNOHANG), if waitfor_pid exits or stops, return exitcode+1,
7356  * else return <0 if waitpid errors out (e.g. ECHILD: nothing to wait for)
7357  * or 0 if no children changed status.
7358  *
7359  * Alternatively (fg_pipe == NULL, waitfor_pid == 0),
7360  * return <0 if waitpid errors out (e.g. ECHILD: nothing to wait for)
7361  * or 0 if no children changed status.
7362  */
7363 static int checkjobs(struct pipe *fg_pipe, pid_t waitfor_pid)
7364 {
7365         int attributes;
7366         int status;
7367         int rcode = 0;
7368
7369         debug_printf_jobs("checkjobs %p\n", fg_pipe);
7370
7371         attributes = WUNTRACED;
7372         if (fg_pipe == NULL)
7373                 attributes |= WNOHANG;
7374
7375         errno = 0;
7376 #if ENABLE_HUSH_FAST
7377         if (G.handled_SIGCHLD == G.count_SIGCHLD) {
7378 //bb_error_msg("[%d] checkjobs: G.count_SIGCHLD:%d G.handled_SIGCHLD:%d children?:%d fg_pipe:%p",
7379 //getpid(), G.count_SIGCHLD, G.handled_SIGCHLD, G.we_have_children, fg_pipe);
7380                 /* There was neither fork nor SIGCHLD since last waitpid */
7381                 /* Avoid doing waitpid syscall if possible */
7382                 if (!G.we_have_children) {
7383                         errno = ECHILD;
7384                         return -1;
7385                 }
7386                 if (fg_pipe == NULL) { /* is WNOHANG set? */
7387                         /* We have children, but they did not exit
7388                          * or stop yet (we saw no SIGCHLD) */
7389                         return 0;
7390                 }
7391                 /* else: !WNOHANG, waitpid will block, can't short-circuit */
7392         }
7393 #endif
7394
7395 /* Do we do this right?
7396  * bash-3.00# sleep 20 | false
7397  * <ctrl-Z pressed>
7398  * [3]+  Stopped          sleep 20 | false
7399  * bash-3.00# echo $?
7400  * 1   <========== bg pipe is not fully done, but exitcode is already known!
7401  * [hush 1.14.0: yes we do it right]
7402  */
7403         while (1) {
7404                 pid_t childpid;
7405 #if ENABLE_HUSH_FAST
7406                 int i;
7407                 i = G.count_SIGCHLD;
7408 #endif
7409                 childpid = waitpid(-1, &status, attributes);
7410                 if (childpid <= 0) {
7411                         if (childpid && errno != ECHILD)
7412                                 bb_perror_msg("waitpid");
7413 #if ENABLE_HUSH_FAST
7414                         else { /* Until next SIGCHLD, waitpid's are useless */
7415                                 G.we_have_children = (childpid == 0);
7416                                 G.handled_SIGCHLD = i;
7417 //bb_error_msg("[%d] checkjobs: waitpid returned <= 0, G.count_SIGCHLD:%d G.handled_SIGCHLD:%d", getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
7418                         }
7419 #endif
7420                         /* ECHILD (no children), or 0 (no change in children status) */
7421                         rcode = childpid;
7422                         break;
7423                 }
7424                 rcode = process_wait_result(fg_pipe, childpid, status);
7425                 if (rcode >= 0) {
7426                         /* fg_pipe exited or stopped */
7427                         break;
7428                 }
7429                 if (childpid == waitfor_pid) {
7430                         debug_printf_exec("childpid==waitfor_pid:%d status:0x%08x\n", childpid, status);
7431                         rcode = WEXITSTATUS(status);
7432                         if (WIFSIGNALED(status))
7433                                 rcode = 128 + WTERMSIG(status);
7434                         if (WIFSTOPPED(status))
7435                                 /* bash: "cmd & wait $!" and cmd stops: $? = 128 + stopsig */
7436                                 rcode = 128 + WSTOPSIG(status);
7437                         rcode++;
7438                         break; /* "wait PID" called us, give it exitcode+1 */
7439                 }
7440                 /* This wasn't one of our processes, or */
7441                 /* fg_pipe still has running processes, do waitpid again */
7442         } /* while (waitpid succeeds)... */
7443
7444         return rcode;
7445 }
7446
7447 #if ENABLE_HUSH_JOB
7448 static int checkjobs_and_fg_shell(struct pipe *fg_pipe)
7449 {
7450         pid_t p;
7451         int rcode = checkjobs(fg_pipe, 0 /*(no pid to wait for)*/);
7452         if (G_saved_tty_pgrp) {
7453                 /* Job finished, move the shell to the foreground */
7454                 p = getpgrp(); /* our process group id */
7455                 debug_printf_jobs("fg'ing ourself: getpgrp()=%d\n", (int)p);
7456                 tcsetpgrp(G_interactive_fd, p);
7457         }
7458         return rcode;
7459 }
7460 #endif
7461
7462 /* Start all the jobs, but don't wait for anything to finish.
7463  * See checkjobs().
7464  *
7465  * Return code is normally -1, when the caller has to wait for children
7466  * to finish to determine the exit status of the pipe.  If the pipe
7467  * is a simple builtin command, however, the action is done by the
7468  * time run_pipe returns, and the exit code is provided as the
7469  * return value.
7470  *
7471  * Returns -1 only if started some children. IOW: we have to
7472  * mask out retvals of builtins etc with 0xff!
7473  *
7474  * The only case when we do not need to [v]fork is when the pipe
7475  * is single, non-backgrounded, non-subshell command. Examples:
7476  * cmd ; ...   { list } ; ...
7477  * cmd && ...  { list } && ...
7478  * cmd || ...  { list } || ...
7479  * If it is, then we can run cmd as a builtin, NOFORK,
7480  * or (if SH_STANDALONE) an applet, and we can run the { list }
7481  * with run_list. If it isn't one of these, we fork and exec cmd.
7482  *
7483  * Cases when we must fork:
7484  * non-single:   cmd | cmd
7485  * backgrounded: cmd &     { list } &
7486  * subshell:     ( list ) [&]
7487  */
7488 #if !ENABLE_HUSH_MODE_X
7489 #define redirect_and_varexp_helper(new_env_p, old_vars_p, command, squirrel, argv_expanded) \
7490         redirect_and_varexp_helper(new_env_p, old_vars_p, command, squirrel)
7491 #endif
7492 static int redirect_and_varexp_helper(char ***new_env_p,
7493                 struct variable **old_vars_p,
7494                 struct command *command,
7495                 int squirrel[3],
7496                 char **argv_expanded)
7497 {
7498         /* setup_redirects acts on file descriptors, not FILEs.
7499          * This is perfect for work that comes after exec().
7500          * Is it really safe for inline use?  Experimentally,
7501          * things seem to work. */
7502         int rcode = setup_redirects(command, squirrel);
7503         if (rcode == 0) {
7504                 char **new_env = expand_assignments(command->argv, command->assignment_cnt);
7505                 *new_env_p = new_env;
7506                 dump_cmd_in_x_mode(new_env);
7507                 dump_cmd_in_x_mode(argv_expanded);
7508                 if (old_vars_p)
7509                         *old_vars_p = set_vars_and_save_old(new_env);
7510         }
7511         return rcode;
7512 }
7513 static NOINLINE int run_pipe(struct pipe *pi)
7514 {
7515         static const char *const null_ptr = NULL;
7516
7517         int cmd_no;
7518         int next_infd;
7519         struct command *command;
7520         char **argv_expanded;
7521         char **argv;
7522         /* it is not always needed, but we aim to smaller code */
7523         int squirrel[] = { -1, -1, -1 };
7524         int rcode;
7525
7526         debug_printf_exec("run_pipe start: members:%d\n", pi->num_cmds);
7527         debug_enter();
7528
7529         /* Testcase: set -- q w e; (IFS='' echo "$*"; IFS=''; echo "$*"); echo "$*"
7530          * Result should be 3 lines: q w e, qwe, q w e
7531          */
7532         G.ifs = get_local_var_value("IFS");
7533         if (!G.ifs)
7534                 G.ifs = defifs;
7535
7536         IF_HUSH_JOB(pi->pgrp = -1;)
7537         pi->stopped_cmds = 0;
7538         command = &pi->cmds[0];
7539         argv_expanded = NULL;
7540
7541         if (pi->num_cmds != 1
7542          || pi->followup == PIPE_BG
7543          || command->cmd_type == CMD_SUBSHELL
7544         ) {
7545                 goto must_fork;
7546         }
7547
7548         pi->alive_cmds = 1;
7549
7550         debug_printf_exec(": group:%p argv:'%s'\n",
7551                 command->group, command->argv ? command->argv[0] : "NONE");
7552
7553         if (command->group) {
7554 #if ENABLE_HUSH_FUNCTIONS
7555                 if (command->cmd_type == CMD_FUNCDEF) {
7556                         /* "executing" func () { list } */
7557                         struct function *funcp;
7558
7559                         funcp = new_function(command->argv[0]);
7560                         /* funcp->name is already set to argv[0] */
7561                         funcp->body = command->group;
7562 # if !BB_MMU
7563                         funcp->body_as_string = command->group_as_string;
7564                         command->group_as_string = NULL;
7565 # endif
7566                         command->group = NULL;
7567                         command->argv[0] = NULL;
7568                         debug_printf_exec("cmd %p has child func at %p\n", command, funcp);
7569                         funcp->parent_cmd = command;
7570                         command->child_func = funcp;
7571
7572                         debug_printf_exec("run_pipe: return EXIT_SUCCESS\n");
7573                         debug_leave();
7574                         return EXIT_SUCCESS;
7575                 }
7576 #endif
7577                 /* { list } */
7578                 debug_printf("non-subshell group\n");
7579                 rcode = 1; /* exitcode if redir failed */
7580                 if (setup_redirects(command, squirrel) == 0) {
7581                         debug_printf_exec(": run_list\n");
7582                         rcode = run_list(command->group) & 0xff;
7583                 }
7584                 restore_redirects(squirrel);
7585                 IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
7586                 debug_leave();
7587                 debug_printf_exec("run_pipe: return %d\n", rcode);
7588                 return rcode;
7589         }
7590
7591         argv = command->argv ? command->argv : (char **) &null_ptr;
7592         {
7593                 const struct built_in_command *x;
7594 #if ENABLE_HUSH_FUNCTIONS
7595                 const struct function *funcp;
7596 #else
7597                 enum { funcp = 0 };
7598 #endif
7599                 char **new_env = NULL;
7600                 struct variable *old_vars = NULL;
7601
7602                 if (argv[command->assignment_cnt] == NULL) {
7603                         /* Assignments, but no command */
7604                         /* Ensure redirects take effect (that is, create files).
7605                          * Try "a=t >file" */
7606 #if 0 /* A few cases in testsuite fail with this code. FIXME */
7607                         rcode = redirect_and_varexp_helper(&new_env, /*old_vars:*/ NULL, command, squirrel, /*argv_expanded:*/ NULL);
7608                         /* Set shell variables */
7609                         if (new_env) {
7610                                 argv = new_env;
7611                                 while (*argv) {
7612                                         set_local_var(*argv, /*exp:*/ 0, /*lvl:*/ 0, /*ro:*/ 0);
7613                                         /* Do we need to flag set_local_var() errors?
7614                                          * "assignment to readonly var" and "putenv error"
7615                                          */
7616                                         argv++;
7617                                 }
7618                         }
7619                         /* Redirect error sets $? to 1. Otherwise,
7620                          * if evaluating assignment value set $?, retain it.
7621                          * Try "false; q=`exit 2`; echo $?" - should print 2: */
7622                         if (rcode == 0)
7623                                 rcode = G.last_exitcode;
7624                         /* Exit, _skipping_ variable restoring code: */
7625                         goto clean_up_and_ret0;
7626
7627 #else /* Older, bigger, but more correct code */
7628
7629                         rcode = setup_redirects(command, squirrel);
7630                         restore_redirects(squirrel);
7631                         /* Set shell variables */
7632                         if (G_x_mode)
7633                                 bb_putchar_stderr('+');
7634                         while (*argv) {
7635                                 char *p = expand_string_to_string(*argv, /*unbackslash:*/ 1);
7636                                 if (G_x_mode)
7637                                         fprintf(stderr, " %s", p);
7638                                 debug_printf_exec("set shell var:'%s'->'%s'\n",
7639                                                 *argv, p);
7640                                 set_local_var(p, /*exp:*/ 0, /*lvl:*/ 0, /*ro:*/ 0);
7641                                 /* Do we need to flag set_local_var() errors?
7642                                  * "assignment to readonly var" and "putenv error"
7643                                  */
7644                                 argv++;
7645                         }
7646                         if (G_x_mode)
7647                                 bb_putchar_stderr('\n');
7648                         /* Redirect error sets $? to 1. Otherwise,
7649                          * if evaluating assignment value set $?, retain it.
7650                          * Try "false; q=`exit 2`; echo $?" - should print 2: */
7651                         if (rcode == 0)
7652                                 rcode = G.last_exitcode;
7653                         IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
7654                         debug_leave();
7655                         debug_printf_exec("run_pipe: return %d\n", rcode);
7656                         return rcode;
7657 #endif
7658                 }
7659
7660                 /* Expand the rest into (possibly) many strings each */
7661 #if ENABLE_HUSH_BASH_COMPAT
7662                 if (command->cmd_type == CMD_SINGLEWORD_NOGLOB) {
7663                         argv_expanded = expand_strvec_to_strvec_singleword_noglob(argv + command->assignment_cnt);
7664                 } else
7665 #endif
7666                 {
7667                         argv_expanded = expand_strvec_to_strvec(argv + command->assignment_cnt);
7668                 }
7669
7670                 /* if someone gives us an empty string: `cmd with empty output` */
7671                 if (!argv_expanded[0]) {
7672                         free(argv_expanded);
7673                         debug_leave();
7674                         return G.last_exitcode;
7675                 }
7676
7677                 x = find_builtin(argv_expanded[0]);
7678 #if ENABLE_HUSH_FUNCTIONS
7679                 funcp = NULL;
7680                 if (!x)
7681                         funcp = find_function(argv_expanded[0]);
7682 #endif
7683                 if (x || funcp) {
7684                         if (!funcp) {
7685                                 if (x->b_function == builtin_exec && argv_expanded[1] == NULL) {
7686                                         debug_printf("exec with redirects only\n");
7687                                         rcode = setup_redirects(command, NULL);
7688                                         /* rcode=1 can be if redir file can't be opened */
7689                                         goto clean_up_and_ret1;
7690                                 }
7691                         }
7692                         rcode = redirect_and_varexp_helper(&new_env, &old_vars, command, squirrel, argv_expanded);
7693                         if (rcode == 0) {
7694                                 if (!funcp) {
7695                                         debug_printf_exec(": builtin '%s' '%s'...\n",
7696                                                 x->b_cmd, argv_expanded[1]);
7697                                         fflush_all();
7698                                         rcode = x->b_function(argv_expanded) & 0xff;
7699                                         fflush_all();
7700                                 }
7701 #if ENABLE_HUSH_FUNCTIONS
7702                                 else {
7703 # if ENABLE_HUSH_LOCAL
7704                                         struct variable **sv;
7705                                         sv = G.shadowed_vars_pp;
7706                                         G.shadowed_vars_pp = &old_vars;
7707 # endif
7708                                         debug_printf_exec(": function '%s' '%s'...\n",
7709                                                 funcp->name, argv_expanded[1]);
7710                                         rcode = run_function(funcp, argv_expanded) & 0xff;
7711 # if ENABLE_HUSH_LOCAL
7712                                         G.shadowed_vars_pp = sv;
7713 # endif
7714                                 }
7715 #endif
7716                         }
7717  clean_up_and_ret:
7718                         unset_vars(new_env);
7719                         add_vars(old_vars);
7720 /* clean_up_and_ret0: */
7721                         restore_redirects(squirrel);
7722  clean_up_and_ret1:
7723                         free(argv_expanded);
7724                         IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
7725                         debug_leave();
7726                         debug_printf_exec("run_pipe return %d\n", rcode);
7727                         return rcode;
7728                 }
7729
7730                 if (ENABLE_FEATURE_SH_NOFORK) {
7731                         int n = find_applet_by_name(argv_expanded[0]);
7732                         if (n >= 0 && APPLET_IS_NOFORK(n)) {
7733                                 rcode = redirect_and_varexp_helper(&new_env, &old_vars, command, squirrel, argv_expanded);
7734                                 if (rcode == 0) {
7735                                         debug_printf_exec(": run_nofork_applet '%s' '%s'...\n",
7736                                                 argv_expanded[0], argv_expanded[1]);
7737                                         rcode = run_nofork_applet(n, argv_expanded);
7738                                 }
7739                                 goto clean_up_and_ret;
7740                         }
7741                 }
7742                 /* It is neither builtin nor applet. We must fork. */
7743         }
7744
7745  must_fork:
7746         /* NB: argv_expanded may already be created, and that
7747          * might include `cmd` runs! Do not rerun it! We *must*
7748          * use argv_expanded if it's non-NULL */
7749
7750         /* Going to fork a child per each pipe member */
7751         pi->alive_cmds = 0;
7752         next_infd = 0;
7753
7754         cmd_no = 0;
7755         while (cmd_no < pi->num_cmds) {
7756                 struct fd_pair pipefds;
7757 #if !BB_MMU
7758                 volatile nommu_save_t nommu_save;
7759                 nommu_save.new_env = NULL;
7760                 nommu_save.old_vars = NULL;
7761                 nommu_save.argv = NULL;
7762                 nommu_save.argv_from_re_execing = NULL;
7763 #endif
7764                 command = &pi->cmds[cmd_no];
7765                 cmd_no++;
7766                 if (command->argv) {
7767                         debug_printf_exec(": pipe member '%s' '%s'...\n",
7768                                         command->argv[0], command->argv[1]);
7769                 } else {
7770                         debug_printf_exec(": pipe member with no argv\n");
7771                 }
7772
7773                 /* pipes are inserted between pairs of commands */
7774                 pipefds.rd = 0;
7775                 pipefds.wr = 1;
7776                 if (cmd_no < pi->num_cmds)
7777                         xpiped_pair(pipefds);
7778
7779                 command->pid = BB_MMU ? fork() : vfork();
7780                 if (!command->pid) { /* child */
7781 #if ENABLE_HUSH_JOB
7782                         disable_restore_tty_pgrp_on_exit();
7783                         CLEAR_RANDOM_T(&G.random_gen); /* or else $RANDOM repeats in child */
7784
7785                         /* Every child adds itself to new process group
7786                          * with pgid == pid_of_first_child_in_pipe */
7787                         if (G.run_list_level == 1 && G_interactive_fd) {
7788                                 pid_t pgrp;
7789                                 pgrp = pi->pgrp;
7790                                 if (pgrp < 0) /* true for 1st process only */
7791                                         pgrp = getpid();
7792                                 if (setpgid(0, pgrp) == 0
7793                                  && pi->followup != PIPE_BG
7794                                  && G_saved_tty_pgrp /* we have ctty */
7795                                 ) {
7796                                         /* We do it in *every* child, not just first,
7797                                          * to avoid races */
7798                                         tcsetpgrp(G_interactive_fd, pgrp);
7799                                 }
7800                         }
7801 #endif
7802                         if (pi->alive_cmds == 0 && pi->followup == PIPE_BG) {
7803                                 /* 1st cmd in backgrounded pipe
7804                                  * should have its stdin /dev/null'ed */
7805                                 close(0);
7806                                 if (open(bb_dev_null, O_RDONLY))
7807                                         xopen("/", O_RDONLY);
7808                         } else {
7809                                 xmove_fd(next_infd, 0);
7810                         }
7811                         xmove_fd(pipefds.wr, 1);
7812                         if (pipefds.rd > 1)
7813                                 close(pipefds.rd);
7814                         /* Like bash, explicit redirects override pipes,
7815                          * and the pipe fd (fd#1) is available for dup'ing:
7816                          * "cmd1 2>&1 | cmd2": fd#1 is duped to fd#2, thus stderr
7817                          * of cmd1 goes into pipe.
7818                          */
7819                         if (setup_redirects(command, NULL)) {
7820                                 /* Happens when redir file can't be opened:
7821                                  * $ hush -c 'echo FOO >&2 | echo BAR 3>/qwe/rty; echo BAZ'
7822                                  * FOO
7823                                  * hush: can't open '/qwe/rty': No such file or directory
7824                                  * BAZ
7825                                  * (echo BAR is not executed, it hits _exit(1) below)
7826                                  */
7827                                 _exit(1);
7828                         }
7829
7830                         /* Stores to nommu_save list of env vars putenv'ed
7831                          * (NOMMU, on MMU we don't need that) */
7832                         /* cast away volatility... */
7833                         pseudo_exec((nommu_save_t*) &nommu_save, command, argv_expanded);
7834                         /* pseudo_exec() does not return */
7835                 }
7836
7837                 /* parent or error */
7838 #if ENABLE_HUSH_FAST
7839                 G.count_SIGCHLD++;
7840 //bb_error_msg("[%d] fork in run_pipe: G.count_SIGCHLD:%d G.handled_SIGCHLD:%d", getpid(), G.count_SIGCHLD, G.handled_SIGCHLD);
7841 #endif
7842                 enable_restore_tty_pgrp_on_exit();
7843 #if !BB_MMU
7844                 /* Clean up after vforked child */
7845                 free(nommu_save.argv);
7846                 free(nommu_save.argv_from_re_execing);
7847                 unset_vars(nommu_save.new_env);
7848                 add_vars(nommu_save.old_vars);
7849 #endif
7850                 free(argv_expanded);
7851                 argv_expanded = NULL;
7852                 if (command->pid < 0) { /* [v]fork failed */
7853                         /* Clearly indicate, was it fork or vfork */
7854                         bb_perror_msg(BB_MMU ? "vfork"+1 : "vfork");
7855                 } else {
7856                         pi->alive_cmds++;
7857 #if ENABLE_HUSH_JOB
7858                         /* Second and next children need to know pid of first one */
7859                         if (pi->pgrp < 0)
7860                                 pi->pgrp = command->pid;
7861 #endif
7862                 }
7863
7864                 if (cmd_no > 1)
7865                         close(next_infd);
7866                 if (cmd_no < pi->num_cmds)
7867                         close(pipefds.wr);
7868                 /* Pass read (output) pipe end to next iteration */
7869                 next_infd = pipefds.rd;
7870         }
7871
7872         if (!pi->alive_cmds) {
7873                 debug_leave();
7874                 debug_printf_exec("run_pipe return 1 (all forks failed, no children)\n");
7875                 return 1;
7876         }
7877
7878         debug_leave();
7879         debug_printf_exec("run_pipe return -1 (%u children started)\n", pi->alive_cmds);
7880         return -1;
7881 }
7882
7883 /* NB: called by pseudo_exec, and therefore must not modify any
7884  * global data until exec/_exit (we can be a child after vfork!) */
7885 static int run_list(struct pipe *pi)
7886 {
7887 #if ENABLE_HUSH_CASE
7888         char *case_word = NULL;
7889 #endif
7890 #if ENABLE_HUSH_LOOPS
7891         struct pipe *loop_top = NULL;
7892         char **for_lcur = NULL;
7893         char **for_list = NULL;
7894 #endif
7895         smallint last_followup;
7896         smalluint rcode;
7897 #if ENABLE_HUSH_IF || ENABLE_HUSH_CASE
7898         smalluint cond_code = 0;
7899 #else
7900         enum { cond_code = 0 };
7901 #endif
7902 #if HAS_KEYWORDS
7903         smallint rword;      /* RES_foo */
7904         smallint last_rword; /* ditto */
7905 #endif
7906
7907         debug_printf_exec("run_list start lvl %d\n", G.run_list_level);
7908         debug_enter();
7909
7910 #if ENABLE_HUSH_LOOPS
7911         /* Check syntax for "for" */
7912         {
7913                 struct pipe *cpipe;
7914                 for (cpipe = pi; cpipe; cpipe = cpipe->next) {
7915                         if (cpipe->res_word != RES_FOR && cpipe->res_word != RES_IN)
7916                                 continue;
7917                         /* current word is FOR or IN (BOLD in comments below) */
7918                         if (cpipe->next == NULL) {
7919                                 syntax_error("malformed for");
7920                                 debug_leave();
7921                                 debug_printf_exec("run_list lvl %d return 1\n", G.run_list_level);
7922                                 return 1;
7923                         }
7924                         /* "FOR v; do ..." and "for v IN a b; do..." are ok */
7925                         if (cpipe->next->res_word == RES_DO)
7926                                 continue;
7927                         /* next word is not "do". It must be "in" then ("FOR v in ...") */
7928                         if (cpipe->res_word == RES_IN /* "for v IN a b; not_do..."? */
7929                          || cpipe->next->res_word != RES_IN /* FOR v not_do_and_not_in..."? */
7930                         ) {
7931                                 syntax_error("malformed for");
7932                                 debug_leave();
7933                                 debug_printf_exec("run_list lvl %d return 1\n", G.run_list_level);
7934                                 return 1;
7935                         }
7936                 }
7937         }
7938 #endif
7939
7940         /* Past this point, all code paths should jump to ret: label
7941          * in order to return, no direct "return" statements please.
7942          * This helps to ensure that no memory is leaked. */
7943
7944 #if ENABLE_HUSH_JOB
7945         G.run_list_level++;
7946 #endif
7947
7948 #if HAS_KEYWORDS
7949         rword = RES_NONE;
7950         last_rword = RES_XXXX;
7951 #endif
7952         last_followup = PIPE_SEQ;
7953         rcode = G.last_exitcode;
7954
7955         /* Go through list of pipes, (maybe) executing them. */
7956         for (; pi; pi = IF_HUSH_LOOPS(rword == RES_DONE ? loop_top : ) pi->next) {
7957                 int r;
7958
7959                 if (G.flag_SIGINT)
7960                         break;
7961                 if (G_flag_return_in_progress == 1)
7962                         break;
7963
7964                 IF_HAS_KEYWORDS(rword = pi->res_word;)
7965                 debug_printf_exec(": rword=%d cond_code=%d last_rword=%d\n",
7966                                 rword, cond_code, last_rword);
7967 #if ENABLE_HUSH_LOOPS
7968                 if ((rword == RES_WHILE || rword == RES_UNTIL || rword == RES_FOR)
7969                  && loop_top == NULL /* avoid bumping G.depth_of_loop twice */
7970                 ) {
7971                         /* start of a loop: remember where loop starts */
7972                         loop_top = pi;
7973                         G.depth_of_loop++;
7974                 }
7975 #endif
7976                 /* Still in the same "if...", "then..." or "do..." branch? */
7977                 if (IF_HAS_KEYWORDS(rword == last_rword &&) 1) {
7978                         if ((rcode == 0 && last_followup == PIPE_OR)
7979                          || (rcode != 0 && last_followup == PIPE_AND)
7980                         ) {
7981                                 /* It is "<true> || CMD" or "<false> && CMD"
7982                                  * and we should not execute CMD */
7983                                 debug_printf_exec("skipped cmd because of || or &&\n");
7984                                 last_followup = pi->followup;
7985                                 goto dont_check_jobs_but_continue;
7986                         }
7987                 }
7988                 last_followup = pi->followup;
7989                 IF_HAS_KEYWORDS(last_rword = rword;)
7990 #if ENABLE_HUSH_IF
7991                 if (cond_code) {
7992                         if (rword == RES_THEN) {
7993                                 /* if false; then ... fi has exitcode 0! */
7994                                 G.last_exitcode = rcode = EXIT_SUCCESS;
7995                                 /* "if <false> THEN cmd": skip cmd */
7996                                 continue;
7997                         }
7998                 } else {
7999                         if (rword == RES_ELSE || rword == RES_ELIF) {
8000                                 /* "if <true> then ... ELSE/ELIF cmd":
8001                                  * skip cmd and all following ones */
8002                                 break;
8003                         }
8004                 }
8005 #endif
8006 #if ENABLE_HUSH_LOOPS
8007                 if (rword == RES_FOR) { /* && pi->num_cmds - always == 1 */
8008                         if (!for_lcur) {
8009                                 /* first loop through for */
8010
8011                                 static const char encoded_dollar_at[] ALIGN1 = {
8012                                         SPECIAL_VAR_SYMBOL, '@' | 0x80, SPECIAL_VAR_SYMBOL, '\0'
8013                                 }; /* encoded representation of "$@" */
8014                                 static const char *const encoded_dollar_at_argv[] = {
8015                                         encoded_dollar_at, NULL
8016                                 }; /* argv list with one element: "$@" */
8017                                 char **vals;
8018
8019                                 vals = (char**)encoded_dollar_at_argv;
8020                                 if (pi->next->res_word == RES_IN) {
8021                                         /* if no variable values after "in" we skip "for" */
8022                                         if (!pi->next->cmds[0].argv) {
8023                                                 G.last_exitcode = rcode = EXIT_SUCCESS;
8024                                                 debug_printf_exec(": null FOR: exitcode EXIT_SUCCESS\n");
8025                                                 break;
8026                                         }
8027                                         vals = pi->next->cmds[0].argv;
8028                                 } /* else: "for var; do..." -> assume "$@" list */
8029                                 /* create list of variable values */
8030                                 debug_print_strings("for_list made from", vals);
8031                                 for_list = expand_strvec_to_strvec(vals);
8032                                 for_lcur = for_list;
8033                                 debug_print_strings("for_list", for_list);
8034                         }
8035                         if (!*for_lcur) {
8036                                 /* "for" loop is over, clean up */
8037                                 free(for_list);
8038                                 for_list = NULL;
8039                                 for_lcur = NULL;
8040                                 break;
8041                         }
8042                         /* Insert next value from for_lcur */
8043                         /* note: *for_lcur already has quotes removed, $var expanded, etc */
8044                         set_local_var(xasprintf("%s=%s", pi->cmds[0].argv[0], *for_lcur++), /*exp:*/ 0, /*lvl:*/ 0, /*ro:*/ 0);
8045                         continue;
8046                 }
8047                 if (rword == RES_IN) {
8048                         continue; /* "for v IN list;..." - "in" has no cmds anyway */
8049                 }
8050                 if (rword == RES_DONE) {
8051                         continue; /* "done" has no cmds too */
8052                 }
8053 #endif
8054 #if ENABLE_HUSH_CASE
8055                 if (rword == RES_CASE) {
8056                         debug_printf_exec("CASE cond_code:%d\n", cond_code);
8057                         case_word = expand_strvec_to_string(pi->cmds->argv);
8058                         continue;
8059                 }
8060                 if (rword == RES_MATCH) {
8061                         char **argv;
8062
8063                         debug_printf_exec("MATCH cond_code:%d\n", cond_code);
8064                         if (!case_word) /* "case ... matched_word) ... WORD)": we executed selected branch, stop */
8065                                 break;
8066                         /* all prev words didn't match, does this one match? */
8067                         argv = pi->cmds->argv;
8068                         while (*argv) {
8069                                 char *pattern = expand_string_to_string(*argv, /*unbackslash:*/ 1);
8070                                 /* TODO: which FNM_xxx flags to use? */
8071                                 cond_code = (fnmatch(pattern, case_word, /*flags:*/ 0) != 0);
8072                                 free(pattern);
8073                                 if (cond_code == 0) { /* match! we will execute this branch */
8074                                         free(case_word);
8075                                         case_word = NULL; /* make future "word)" stop */
8076                                         break;
8077                                 }
8078                                 argv++;
8079                         }
8080                         continue;
8081                 }
8082                 if (rword == RES_CASE_BODY) { /* inside of a case branch */
8083                         debug_printf_exec("CASE_BODY cond_code:%d\n", cond_code);
8084                         if (cond_code != 0)
8085                                 continue; /* not matched yet, skip this pipe */
8086                 }
8087                 if (rword == RES_ESAC) {
8088                         debug_printf_exec("ESAC cond_code:%d\n", cond_code);
8089                         if (case_word) {
8090                                 /* "case" did not match anything: still set $? (to 0) */
8091                                 G.last_exitcode = rcode = EXIT_SUCCESS;
8092                         }
8093                 }
8094 #endif
8095                 /* Just pressing <enter> in shell should check for jobs.
8096                  * OTOH, in non-interactive shell this is useless
8097                  * and only leads to extra job checks */
8098                 if (pi->num_cmds == 0) {
8099                         if (G_interactive_fd)
8100                                 goto check_jobs_and_continue;
8101                         continue;
8102                 }
8103
8104                 /* After analyzing all keywords and conditions, we decided
8105                  * to execute this pipe. NB: have to do checkjobs(NULL)
8106                  * after run_pipe to collect any background children,
8107                  * even if list execution is to be stopped. */
8108                 debug_printf_exec(": run_pipe with %d members\n", pi->num_cmds);
8109 #if ENABLE_HUSH_LOOPS
8110                 G.flag_break_continue = 0;
8111 #endif
8112                 rcode = r = run_pipe(pi); /* NB: rcode is a smalluint, r is int */
8113                 if (r != -1) {
8114                         /* We ran a builtin, function, or group.
8115                          * rcode is already known
8116                          * and we don't need to wait for anything. */
8117                         debug_printf_exec(": builtin/func exitcode %d\n", rcode);
8118                         G.last_exitcode = rcode;
8119                         check_and_run_traps();
8120 #if ENABLE_HUSH_LOOPS
8121                         /* Was it "break" or "continue"? */
8122                         if (G.flag_break_continue) {
8123                                 smallint fbc = G.flag_break_continue;
8124                                 /* We might fall into outer *loop*,
8125                                  * don't want to break it too */
8126                                 if (loop_top) {
8127                                         G.depth_break_continue--;
8128                                         if (G.depth_break_continue == 0)
8129                                                 G.flag_break_continue = 0;
8130                                         /* else: e.g. "continue 2" should *break* once, *then* continue */
8131                                 } /* else: "while... do... { we are here (innermost list is not a loop!) };...done" */
8132                                 if (G.depth_break_continue != 0 || fbc == BC_BREAK) {
8133                                         checkjobs(NULL, 0 /*(no pid to wait for)*/);
8134                                         break;
8135                                 }
8136                                 /* "continue": simulate end of loop */
8137                                 rword = RES_DONE;
8138                                 continue;
8139                         }
8140 #endif
8141                         if (G_flag_return_in_progress == 1) {
8142                                 checkjobs(NULL, 0 /*(no pid to wait for)*/);
8143                                 break;
8144                         }
8145                 } else if (pi->followup == PIPE_BG) {
8146                         /* What does bash do with attempts to background builtins? */
8147                         /* even bash 3.2 doesn't do that well with nested bg:
8148                          * try "{ { sleep 10; echo DEEP; } & echo HERE; } &".
8149                          * I'm NOT treating inner &'s as jobs */
8150 #if ENABLE_HUSH_JOB
8151                         if (G.run_list_level == 1)
8152                                 insert_bg_job(pi);
8153 #endif
8154                         /* Last command's pid goes to $! */
8155                         G.last_bg_pid = pi->cmds[pi->num_cmds - 1].pid;
8156                         debug_printf_exec(": cmd&: exitcode EXIT_SUCCESS\n");
8157 /* Check pi->pi_inverted? "! sleep 1 & echo $?": bash says 1. dash and ash says 0 */
8158                         rcode = EXIT_SUCCESS;
8159                         goto check_traps;
8160                 } else {
8161 #if ENABLE_HUSH_JOB
8162                         if (G.run_list_level == 1 && G_interactive_fd) {
8163                                 /* Waits for completion, then fg's main shell */
8164                                 rcode = checkjobs_and_fg_shell(pi);
8165                                 debug_printf_exec(": checkjobs_and_fg_shell exitcode %d\n", rcode);
8166                                 goto check_traps;
8167                         }
8168 #endif
8169                         /* This one just waits for completion */
8170                         rcode = checkjobs(pi, 0 /*(no pid to wait for)*/);
8171                         debug_printf_exec(": checkjobs exitcode %d\n", rcode);
8172  check_traps:
8173                         G.last_exitcode = rcode;
8174                         check_and_run_traps();
8175                 }
8176
8177                 /* Analyze how result affects subsequent commands */
8178 #if ENABLE_HUSH_IF
8179                 if (rword == RES_IF || rword == RES_ELIF)
8180                         cond_code = rcode;
8181 #endif
8182  check_jobs_and_continue:
8183                 checkjobs(NULL, 0 /*(no pid to wait for)*/);
8184  dont_check_jobs_but_continue: ;
8185 #if ENABLE_HUSH_LOOPS
8186                 /* Beware of "while false; true; do ..."! */
8187                 if (pi->next
8188                  && (pi->next->res_word == RES_DO || pi->next->res_word == RES_DONE)
8189                  /* check for RES_DONE is needed for "while ...; do \n done" case */
8190                 ) {
8191                         if (rword == RES_WHILE) {
8192                                 if (rcode) {
8193                                         /* "while false; do...done" - exitcode 0 */
8194                                         G.last_exitcode = rcode = EXIT_SUCCESS;
8195                                         debug_printf_exec(": while expr is false: breaking (exitcode:EXIT_SUCCESS)\n");
8196                                         break;
8197                                 }
8198                         }
8199                         if (rword == RES_UNTIL) {
8200                                 if (!rcode) {
8201                                         debug_printf_exec(": until expr is true: breaking\n");
8202                                         break;
8203                                 }
8204                         }
8205                 }
8206 #endif
8207         } /* for (pi) */
8208
8209 #if ENABLE_HUSH_JOB
8210         G.run_list_level--;
8211 #endif
8212 #if ENABLE_HUSH_LOOPS
8213         if (loop_top)
8214                 G.depth_of_loop--;
8215         free(for_list);
8216 #endif
8217 #if ENABLE_HUSH_CASE
8218         free(case_word);
8219 #endif
8220         debug_leave();
8221         debug_printf_exec("run_list lvl %d return %d\n", G.run_list_level + 1, rcode);
8222         return rcode;
8223 }
8224
8225 /* Select which version we will use */
8226 static int run_and_free_list(struct pipe *pi)
8227 {
8228         int rcode = 0;
8229         debug_printf_exec("run_and_free_list entered\n");
8230         if (!G.o_opt[OPT_O_NOEXEC]) {
8231                 debug_printf_exec(": run_list: 1st pipe with %d cmds\n", pi->num_cmds);
8232                 rcode = run_list(pi);
8233         }
8234         /* free_pipe_list has the side effect of clearing memory.
8235          * In the long run that function can be merged with run_list,
8236          * but doing that now would hobble the debugging effort. */
8237         free_pipe_list(pi);
8238         debug_printf_exec("run_and_free_list return %d\n", rcode);
8239         return rcode;
8240 }
8241
8242
8243 static void install_sighandlers(unsigned mask)
8244 {
8245         sighandler_t old_handler;
8246         unsigned sig = 0;
8247         while ((mask >>= 1) != 0) {
8248                 sig++;
8249                 if (!(mask & 1))
8250                         continue;
8251                 old_handler = install_sighandler(sig, pick_sighandler(sig));
8252                 /* POSIX allows shell to re-enable SIGCHLD
8253                  * even if it was SIG_IGN on entry.
8254                  * Therefore we skip IGN check for it:
8255                  */
8256                 if (sig == SIGCHLD)
8257                         continue;
8258                 if (old_handler == SIG_IGN) {
8259                         /* oops... restore back to IGN, and record this fact */
8260                         install_sighandler(sig, old_handler);
8261 #if ENABLE_HUSH_TRAP
8262                         if (!G_traps)
8263                                 G_traps = xzalloc(sizeof(G_traps[0]) * NSIG);
8264                         free(G_traps[sig]);
8265                         G_traps[sig] = xzalloc(1); /* == xstrdup(""); */
8266 #endif
8267                 }
8268         }
8269 }
8270
8271 /* Called a few times only (or even once if "sh -c") */
8272 static void install_special_sighandlers(void)
8273 {
8274         unsigned mask;
8275
8276         /* Which signals are shell-special? */
8277         mask = (1 << SIGQUIT) | (1 << SIGCHLD);
8278         if (G_interactive_fd) {
8279                 mask |= SPECIAL_INTERACTIVE_SIGS;
8280                 if (G_saved_tty_pgrp) /* we have ctty, job control sigs work */
8281                         mask |= SPECIAL_JOBSTOP_SIGS;
8282         }
8283         /* Careful, do not re-install handlers we already installed */
8284         if (G.special_sig_mask != mask) {
8285                 unsigned diff = mask & ~G.special_sig_mask;
8286                 G.special_sig_mask = mask;
8287                 install_sighandlers(diff);
8288         }
8289 }
8290
8291 #if ENABLE_HUSH_JOB
8292 /* helper */
8293 /* Set handlers to restore tty pgrp and exit */
8294 static void install_fatal_sighandlers(void)
8295 {
8296         unsigned mask;
8297
8298         /* We will restore tty pgrp on these signals */
8299         mask = 0
8300                 /*+ (1 << SIGILL ) * HUSH_DEBUG*/
8301                 /*+ (1 << SIGFPE ) * HUSH_DEBUG*/
8302                 + (1 << SIGBUS ) * HUSH_DEBUG
8303                 + (1 << SIGSEGV) * HUSH_DEBUG
8304                 /*+ (1 << SIGTRAP) * HUSH_DEBUG*/
8305                 + (1 << SIGABRT)
8306         /* bash 3.2 seems to handle these just like 'fatal' ones */
8307                 + (1 << SIGPIPE)
8308                 + (1 << SIGALRM)
8309         /* if we are interactive, SIGHUP, SIGTERM and SIGINT are special sigs.
8310          * if we aren't interactive... but in this case
8311          * we never want to restore pgrp on exit, and this fn is not called
8312          */
8313                 /*+ (1 << SIGHUP )*/
8314                 /*+ (1 << SIGTERM)*/
8315                 /*+ (1 << SIGINT )*/
8316         ;
8317         G_fatal_sig_mask = mask;
8318
8319         install_sighandlers(mask);
8320 }
8321 #endif
8322
8323 static int set_mode(int state, char mode, const char *o_opt)
8324 {
8325         int idx;
8326         switch (mode) {
8327         case 'n':
8328                 G.o_opt[OPT_O_NOEXEC] = state;
8329                 break;
8330         case 'x':
8331                 IF_HUSH_MODE_X(G_x_mode = state;)
8332                 break;
8333         case 'o':
8334                 if (!o_opt) {
8335                         /* "set -+o" without parameter.
8336                          * in bash, set -o produces this output:
8337                          *  pipefail        off
8338                          * and set +o:
8339                          *  set +o pipefail
8340                          * We always use the second form.
8341                          */
8342                         const char *p = o_opt_strings;
8343                         idx = 0;
8344                         while (*p) {
8345                                 printf("set %co %s\n", (G.o_opt[idx] ? '-' : '+'), p);
8346                                 idx++;
8347                                 p += strlen(p) + 1;
8348                         }
8349                         break;
8350                 }
8351                 idx = index_in_strings(o_opt_strings, o_opt);
8352                 if (idx >= 0) {
8353                         G.o_opt[idx] = state;
8354                         break;
8355                 }
8356         default:
8357                 return EXIT_FAILURE;
8358         }
8359         return EXIT_SUCCESS;
8360 }
8361
8362 int hush_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
8363 int hush_main(int argc, char **argv)
8364 {
8365         enum {
8366                 OPT_login = (1 << 0),
8367         };
8368         unsigned flags;
8369         int opt;
8370         unsigned builtin_argc;
8371         char **e;
8372         struct variable *cur_var;
8373         struct variable *shell_ver;
8374
8375         INIT_G();
8376         if (EXIT_SUCCESS != 0) /* if EXIT_SUCCESS == 0, it is already done */
8377                 G.last_exitcode = EXIT_SUCCESS;
8378
8379 #if ENABLE_HUSH_FAST
8380         G.count_SIGCHLD++; /* ensure it is != G.handled_SIGCHLD */
8381 #endif
8382 #if !BB_MMU
8383         G.argv0_for_re_execing = argv[0];
8384 #endif
8385         /* Deal with HUSH_VERSION */
8386         shell_ver = xzalloc(sizeof(*shell_ver));
8387         shell_ver->flg_export = 1;
8388         shell_ver->flg_read_only = 1;
8389         /* Code which handles ${var<op>...} needs writable values for all variables,
8390          * therefore we xstrdup: */
8391         shell_ver->varstr = xstrdup(hush_version_str);
8392         /* Create shell local variables from the values
8393          * currently living in the environment */
8394         debug_printf_env("unsetenv '%s'\n", "HUSH_VERSION");
8395         unsetenv("HUSH_VERSION"); /* in case it exists in initial env */
8396         G.top_var = shell_ver;
8397         cur_var = G.top_var;
8398         e = environ;
8399         if (e) while (*e) {
8400                 char *value = strchr(*e, '=');
8401                 if (value) { /* paranoia */
8402                         cur_var->next = xzalloc(sizeof(*cur_var));
8403                         cur_var = cur_var->next;
8404                         cur_var->varstr = *e;
8405                         cur_var->max_len = strlen(*e);
8406                         cur_var->flg_export = 1;
8407                 }
8408                 e++;
8409         }
8410         /* (Re)insert HUSH_VERSION into env (AFTER we scanned the env!) */
8411         debug_printf_env("putenv '%s'\n", shell_ver->varstr);
8412         putenv(shell_ver->varstr);
8413
8414         /* Export PWD */
8415         set_pwd_var(/*exp:*/ 1);
8416
8417 #if ENABLE_HUSH_BASH_COMPAT
8418         /* Set (but not export) HOSTNAME unless already set */
8419         if (!get_local_var_value("HOSTNAME")) {
8420                 struct utsname uts;
8421                 uname(&uts);
8422                 set_local_var_from_halves("HOSTNAME", uts.nodename);
8423         }
8424         /* bash also exports SHLVL and _,
8425          * and sets (but doesn't export) the following variables:
8426          * BASH=/bin/bash
8427          * BASH_VERSINFO=([0]="3" [1]="2" [2]="0" [3]="1" [4]="release" [5]="i386-pc-linux-gnu")
8428          * BASH_VERSION='3.2.0(1)-release'
8429          * HOSTTYPE=i386
8430          * MACHTYPE=i386-pc-linux-gnu
8431          * OSTYPE=linux-gnu
8432          * PPID=<NNNNN> - we also do it elsewhere
8433          * EUID=<NNNNN>
8434          * UID=<NNNNN>
8435          * GROUPS=()
8436          * LINES=<NNN>
8437          * COLUMNS=<NNN>
8438          * BASH_ARGC=()
8439          * BASH_ARGV=()
8440          * BASH_LINENO=()
8441          * BASH_SOURCE=()
8442          * DIRSTACK=()
8443          * PIPESTATUS=([0]="0")
8444          * HISTFILE=/<xxx>/.bash_history
8445          * HISTFILESIZE=500
8446          * HISTSIZE=500
8447          * MAILCHECK=60
8448          * PATH=/usr/gnu/bin:/usr/local/bin:/bin:/usr/bin:.
8449          * SHELL=/bin/bash
8450          * SHELLOPTS=braceexpand:emacs:hashall:histexpand:history:interactive-comments:monitor
8451          * TERM=dumb
8452          * OPTERR=1
8453          * OPTIND=1
8454          * IFS=$' \t\n'
8455          * PS1='\s-\v\$ '
8456          * PS2='> '
8457          * PS4='+ '
8458          */
8459 #endif
8460
8461 #if ENABLE_FEATURE_EDITING
8462         G.line_input_state = new_line_input_t(FOR_SHELL);
8463 #endif
8464
8465         /* Initialize some more globals to non-zero values */
8466         cmdedit_update_prompt();
8467
8468         die_func = restore_ttypgrp_and__exit;
8469
8470         /* Shell is non-interactive at first. We need to call
8471          * install_special_sighandlers() if we are going to execute "sh <script>",
8472          * "sh -c <cmds>" or login shell's /etc/profile and friends.
8473          * If we later decide that we are interactive, we run install_special_sighandlers()
8474          * in order to intercept (more) signals.
8475          */
8476
8477         /* Parse options */
8478         /* http://www.opengroup.org/onlinepubs/9699919799/utilities/sh.html */
8479         flags = (argv[0] && argv[0][0] == '-') ? OPT_login : 0;
8480         builtin_argc = 0;
8481         while (1) {
8482                 opt = getopt(argc, argv, "+c:xinsl"
8483 #if !BB_MMU
8484                                 "<:$:R:V:"
8485 # if ENABLE_HUSH_FUNCTIONS
8486                                 "F:"
8487 # endif
8488 #endif
8489                 );
8490                 if (opt <= 0)
8491                         break;
8492                 switch (opt) {
8493                 case 'c':
8494                         /* Possibilities:
8495                          * sh ... -c 'script'
8496                          * sh ... -c 'script' ARG0 [ARG1...]
8497                          * On NOMMU, if builtin_argc != 0,
8498                          * sh ... -c 'builtin' BARGV... "" ARG0 [ARG1...]
8499                          * "" needs to be replaced with NULL
8500                          * and BARGV vector fed to builtin function.
8501                          * Note: the form without ARG0 never happens:
8502                          * sh ... -c 'builtin' BARGV... ""
8503                          */
8504                         if (!G.root_pid) {
8505                                 G.root_pid = getpid();
8506                                 G.root_ppid = getppid();
8507                         }
8508                         G.global_argv = argv + optind;
8509                         G.global_argc = argc - optind;
8510                         if (builtin_argc) {
8511                                 /* -c 'builtin' [BARGV...] "" ARG0 [ARG1...] */
8512                                 const struct built_in_command *x;
8513
8514                                 install_special_sighandlers();
8515                                 x = find_builtin(optarg);
8516                                 if (x) { /* paranoia */
8517                                         G.global_argc -= builtin_argc; /* skip [BARGV...] "" */
8518                                         G.global_argv += builtin_argc;
8519                                         G.global_argv[-1] = NULL; /* replace "" */
8520                                         fflush_all();
8521                                         G.last_exitcode = x->b_function(argv + optind - 1);
8522                                 }
8523                                 goto final_return;
8524                         }
8525                         if (!G.global_argv[0]) {
8526                                 /* -c 'script' (no params): prevent empty $0 */
8527                                 G.global_argv--; /* points to argv[i] of 'script' */
8528                                 G.global_argv[0] = argv[0];
8529                                 G.global_argc++;
8530                         } /* else -c 'script' ARG0 [ARG1...]: $0 is ARG0 */
8531                         install_special_sighandlers();
8532                         parse_and_run_string(optarg);
8533                         goto final_return;
8534                 case 'i':
8535                         /* Well, we cannot just declare interactiveness,
8536                          * we have to have some stuff (ctty, etc) */
8537                         /* G_interactive_fd++; */
8538                         break;
8539                 case 's':
8540                         /* "-s" means "read from stdin", but this is how we always
8541                          * operate, so simply do nothing here. */
8542                         break;
8543                 case 'l':
8544                         flags |= OPT_login;
8545                         break;
8546 #if !BB_MMU
8547                 case '<': /* "big heredoc" support */
8548                         full_write1_str(optarg);
8549                         _exit(0);
8550                 case '$': {
8551                         unsigned long long empty_trap_mask;
8552
8553                         G.root_pid = bb_strtou(optarg, &optarg, 16);
8554                         optarg++;
8555                         G.root_ppid = bb_strtou(optarg, &optarg, 16);
8556                         optarg++;
8557                         G.last_bg_pid = bb_strtou(optarg, &optarg, 16);
8558                         optarg++;
8559                         G.last_exitcode = bb_strtou(optarg, &optarg, 16);
8560                         optarg++;
8561                         builtin_argc = bb_strtou(optarg, &optarg, 16);
8562                         optarg++;
8563                         empty_trap_mask = bb_strtoull(optarg, &optarg, 16);
8564                         if (empty_trap_mask != 0) {
8565                                 int sig;
8566                                 install_special_sighandlers();
8567                                 G_traps = xzalloc(sizeof(G_traps[0]) * NSIG);
8568                                 for (sig = 1; sig < NSIG; sig++) {
8569                                         if (empty_trap_mask & (1LL << sig)) {
8570                                                 G_traps[sig] = xzalloc(1); /* == xstrdup(""); */
8571                                                 install_sighandler(sig, SIG_IGN);
8572                                         }
8573                                 }
8574                         }
8575 # if ENABLE_HUSH_LOOPS
8576                         optarg++;
8577                         G.depth_of_loop = bb_strtou(optarg, &optarg, 16);
8578 # endif
8579                         break;
8580                 }
8581                 case 'R':
8582                 case 'V':
8583                         set_local_var(xstrdup(optarg), /*exp:*/ 0, /*lvl:*/ 0, /*ro:*/ opt == 'R');
8584                         break;
8585 # if ENABLE_HUSH_FUNCTIONS
8586                 case 'F': {
8587                         struct function *funcp = new_function(optarg);
8588                         /* funcp->name is already set to optarg */
8589                         /* funcp->body is set to NULL. It's a special case. */
8590                         funcp->body_as_string = argv[optind];
8591                         optind++;
8592                         break;
8593                 }
8594 # endif
8595 #endif
8596                 case 'n':
8597                 case 'x':
8598                         if (set_mode(1, opt, NULL) == 0) /* no error */
8599                                 break;
8600                 default:
8601 #ifndef BB_VER
8602                         fprintf(stderr, "Usage: sh [FILE]...\n"
8603                                         "   or: sh -c command [args]...\n\n");
8604                         exit(EXIT_FAILURE);
8605 #else
8606                         bb_show_usage();
8607 #endif
8608                 }
8609         } /* option parsing loop */
8610
8611         /* Skip options. Try "hush -l": $1 should not be "-l"! */
8612         G.global_argc = argc - (optind - 1);
8613         G.global_argv = argv + (optind - 1);
8614         G.global_argv[0] = argv[0];
8615
8616         if (!G.root_pid) {
8617                 G.root_pid = getpid();
8618                 G.root_ppid = getppid();
8619         }
8620
8621         /* If we are login shell... */
8622         if (flags & OPT_login) {
8623                 FILE *input;
8624                 debug_printf("sourcing /etc/profile\n");
8625                 input = fopen_for_read("/etc/profile");
8626                 if (input != NULL) {
8627                         remember_FILE(input);
8628                         install_special_sighandlers();
8629                         parse_and_run_file(input);
8630                         fclose_and_forget(input);
8631                 }
8632                 /* bash: after sourcing /etc/profile,
8633                  * tries to source (in the given order):
8634                  * ~/.bash_profile, ~/.bash_login, ~/.profile,
8635                  * stopping on first found. --noprofile turns this off.
8636                  * bash also sources ~/.bash_logout on exit.
8637                  * If called as sh, skips .bash_XXX files.
8638                  */
8639         }
8640
8641         if (G.global_argv[1]) {
8642                 FILE *input;
8643                 /*
8644                  * "bash <script>" (which is never interactive (unless -i?))
8645                  * sources $BASH_ENV here (without scanning $PATH).
8646                  * If called as sh, does the same but with $ENV.
8647                  * Also NB, per POSIX, $ENV should undergo parameter expansion.
8648                  */
8649                 G.global_argc--;
8650                 G.global_argv++;
8651                 debug_printf("running script '%s'\n", G.global_argv[0]);
8652                 xfunc_error_retval = 127; /* for "hush /does/not/exist" case */
8653                 input = xfopen_for_read(G.global_argv[0]);
8654                 xfunc_error_retval = 1;
8655                 remember_FILE(input);
8656                 install_special_sighandlers();
8657                 parse_and_run_file(input);
8658 #if ENABLE_FEATURE_CLEAN_UP
8659                 fclose_and_forget(input);
8660 #endif
8661                 goto final_return;
8662         }
8663
8664         /* Up to here, shell was non-interactive. Now it may become one.
8665          * NB: don't forget to (re)run install_special_sighandlers() as needed.
8666          */
8667
8668         /* A shell is interactive if the '-i' flag was given,
8669          * or if all of the following conditions are met:
8670          *    no -c command
8671          *    no arguments remaining or the -s flag given
8672          *    standard input is a terminal
8673          *    standard output is a terminal
8674          * Refer to Posix.2, the description of the 'sh' utility.
8675          */
8676 #if ENABLE_HUSH_JOB
8677         if (isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)) {
8678                 G_saved_tty_pgrp = tcgetpgrp(STDIN_FILENO);
8679                 debug_printf("saved_tty_pgrp:%d\n", G_saved_tty_pgrp);
8680                 if (G_saved_tty_pgrp < 0)
8681                         G_saved_tty_pgrp = 0;
8682
8683                 /* try to dup stdin to high fd#, >= 255 */
8684                 G_interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
8685                 if (G_interactive_fd < 0) {
8686                         /* try to dup to any fd */
8687                         G_interactive_fd = dup(STDIN_FILENO);
8688                         if (G_interactive_fd < 0) {
8689                                 /* give up */
8690                                 G_interactive_fd = 0;
8691                                 G_saved_tty_pgrp = 0;
8692                         }
8693                 }
8694 // TODO: track & disallow any attempts of user
8695 // to (inadvertently) close/redirect G_interactive_fd
8696         }
8697         debug_printf("interactive_fd:%d\n", G_interactive_fd);
8698         if (G_interactive_fd) {
8699                 close_on_exec_on(G_interactive_fd);
8700
8701                 if (G_saved_tty_pgrp) {
8702                         /* If we were run as 'hush &', sleep until we are
8703                          * in the foreground (tty pgrp == our pgrp).
8704                          * If we get started under a job aware app (like bash),
8705                          * make sure we are now in charge so we don't fight over
8706                          * who gets the foreground */
8707                         while (1) {
8708                                 pid_t shell_pgrp = getpgrp();
8709                                 G_saved_tty_pgrp = tcgetpgrp(G_interactive_fd);
8710                                 if (G_saved_tty_pgrp == shell_pgrp)
8711                                         break;
8712                                 /* send TTIN to ourself (should stop us) */
8713                                 kill(- shell_pgrp, SIGTTIN);
8714                         }
8715                 }
8716
8717                 /* Install more signal handlers */
8718                 install_special_sighandlers();
8719
8720                 if (G_saved_tty_pgrp) {
8721                         /* Set other signals to restore saved_tty_pgrp */
8722                         install_fatal_sighandlers();
8723                         /* Put ourselves in our own process group
8724                          * (bash, too, does this only if ctty is available) */
8725                         bb_setpgrp(); /* is the same as setpgid(our_pid, our_pid); */
8726                         /* Grab control of the terminal */
8727                         tcsetpgrp(G_interactive_fd, getpid());
8728                 }
8729                 enable_restore_tty_pgrp_on_exit();
8730
8731 # if ENABLE_HUSH_SAVEHISTORY && MAX_HISTORY > 0
8732                 {
8733                         const char *hp = get_local_var_value("HISTFILE");
8734                         if (!hp) {
8735                                 hp = get_local_var_value("HOME");
8736                                 if (hp)
8737                                         hp = concat_path_file(hp, ".hush_history");
8738                         } else {
8739                                 hp = xstrdup(hp);
8740                         }
8741                         if (hp) {
8742                                 G.line_input_state->hist_file = hp;
8743                                 //set_local_var(xasprintf("HISTFILE=%s", ...));
8744                         }
8745 #  if ENABLE_FEATURE_SH_HISTFILESIZE
8746                         hp = get_local_var_value("HISTFILESIZE");
8747                         G.line_input_state->max_history = size_from_HISTFILESIZE(hp);
8748 #  endif
8749                 }
8750 # endif
8751         } else {
8752                 install_special_sighandlers();
8753         }
8754 #elif ENABLE_HUSH_INTERACTIVE
8755         /* No job control compiled in, only prompt/line editing */
8756         if (isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)) {
8757                 G_interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
8758                 if (G_interactive_fd < 0) {
8759                         /* try to dup to any fd */
8760                         G_interactive_fd = dup(STDIN_FILENO);
8761                         if (G_interactive_fd < 0)
8762                                 /* give up */
8763                                 G_interactive_fd = 0;
8764                 }
8765         }
8766         if (G_interactive_fd) {
8767                 close_on_exec_on(G_interactive_fd);
8768         }
8769         install_special_sighandlers();
8770 #else
8771         /* We have interactiveness code disabled */
8772         install_special_sighandlers();
8773 #endif
8774         /* bash:
8775          * if interactive but not a login shell, sources ~/.bashrc
8776          * (--norc turns this off, --rcfile <file> overrides)
8777          */
8778
8779         if (!ENABLE_FEATURE_SH_EXTRA_QUIET && G_interactive_fd) {
8780                 /* note: ash and hush share this string */
8781                 printf("\n\n%s %s\n"
8782                         IF_HUSH_HELP("Enter 'help' for a list of built-in commands.\n")
8783                         "\n",
8784                         bb_banner,
8785                         "hush - the humble shell"
8786                 );
8787         }
8788
8789         parse_and_run_file(stdin);
8790
8791  final_return:
8792         hush_exit(G.last_exitcode);
8793 }
8794
8795
8796 #if ENABLE_MSH
8797 int msh_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
8798 int msh_main(int argc, char **argv)
8799 {
8800         bb_error_msg("msh is deprecated, please use hush instead");
8801         return hush_main(argc, argv);
8802 }
8803 #endif
8804
8805
8806 /*
8807  * Built-ins
8808  */
8809 static int FAST_FUNC builtin_true(char **argv UNUSED_PARAM)
8810 {
8811         return 0;
8812 }
8813
8814 static int run_applet_main(char **argv, int (*applet_main_func)(int argc, char **argv))
8815 {
8816         int argc = 0;
8817         while (*argv) {
8818                 argc++;
8819                 argv++;
8820         }
8821         return applet_main_func(argc, argv - argc);
8822 }
8823
8824 static int FAST_FUNC builtin_test(char **argv)
8825 {
8826         return run_applet_main(argv, test_main);
8827 }
8828
8829 static int FAST_FUNC builtin_echo(char **argv)
8830 {
8831         return run_applet_main(argv, echo_main);
8832 }
8833
8834 #if ENABLE_HUSH_PRINTF
8835 static int FAST_FUNC builtin_printf(char **argv)
8836 {
8837         return run_applet_main(argv, printf_main);
8838 }
8839 #endif
8840
8841 static char **skip_dash_dash(char **argv)
8842 {
8843         argv++;
8844         if (argv[0] && argv[0][0] == '-' && argv[0][1] == '-' && argv[0][2] == '\0')
8845                 argv++;
8846         return argv;
8847 }
8848
8849 static int FAST_FUNC builtin_eval(char **argv)
8850 {
8851         int rcode = EXIT_SUCCESS;
8852
8853         argv = skip_dash_dash(argv);
8854         if (*argv) {
8855                 char *str = expand_strvec_to_string(argv);
8856                 /* bash:
8857                  * eval "echo Hi; done" ("done" is syntax error):
8858                  * "echo Hi" will not execute too.
8859                  */
8860                 parse_and_run_string(str);
8861                 free(str);
8862                 rcode = G.last_exitcode;
8863         }
8864         return rcode;
8865 }
8866
8867 static int FAST_FUNC builtin_cd(char **argv)
8868 {
8869         const char *newdir;
8870
8871         argv = skip_dash_dash(argv);
8872         newdir = argv[0];
8873         if (newdir == NULL) {
8874                 /* bash does nothing (exitcode 0) if HOME is ""; if it's unset,
8875                  * bash says "bash: cd: HOME not set" and does nothing
8876                  * (exitcode 1)
8877                  */
8878                 const char *home = get_local_var_value("HOME");
8879                 newdir = home ? home : "/";
8880         }
8881         if (chdir(newdir)) {
8882                 /* Mimic bash message exactly */
8883                 bb_perror_msg("cd: %s", newdir);
8884                 return EXIT_FAILURE;
8885         }
8886         /* Read current dir (get_cwd(1) is inside) and set PWD.
8887          * Note: do not enforce exporting. If PWD was unset or unexported,
8888          * set it again, but do not export. bash does the same.
8889          */
8890         set_pwd_var(/*exp:*/ 0);
8891         return EXIT_SUCCESS;
8892 }
8893
8894 static int FAST_FUNC builtin_exec(char **argv)
8895 {
8896         argv = skip_dash_dash(argv);
8897         if (argv[0] == NULL)
8898                 return EXIT_SUCCESS; /* bash does this */
8899
8900         /* Careful: we can end up here after [v]fork. Do not restore
8901          * tty pgrp then, only top-level shell process does that */
8902         if (G_saved_tty_pgrp && getpid() == G.root_pid)
8903                 tcsetpgrp(G_interactive_fd, G_saved_tty_pgrp);
8904
8905         /* TODO: if exec fails, bash does NOT exit! We do.
8906          * We'll need to undo trap cleanup (it's inside execvp_or_die)
8907          * and tcsetpgrp, and this is inherently racy.
8908          */
8909         execvp_or_die(argv);
8910 }
8911
8912 static int FAST_FUNC builtin_exit(char **argv)
8913 {
8914         debug_printf_exec("%s()\n", __func__);
8915
8916         /* interactive bash:
8917          * # trap "echo EEE" EXIT
8918          * # exit
8919          * exit
8920          * There are stopped jobs.
8921          * (if there are _stopped_ jobs, running ones don't count)
8922          * # exit
8923          * exit
8924          * EEE (then bash exits)
8925          *
8926          * TODO: we can use G.exiting = -1 as indicator "last cmd was exit"
8927          */
8928
8929         /* note: EXIT trap is run by hush_exit */
8930         argv = skip_dash_dash(argv);
8931         if (argv[0] == NULL)
8932                 hush_exit(G.last_exitcode);
8933         /* mimic bash: exit 123abc == exit 255 + error msg */
8934         xfunc_error_retval = 255;
8935         /* bash: exit -2 == exit 254, no error msg */
8936         hush_exit(xatoi(argv[0]) & 0xff);
8937 }
8938
8939 #if ENABLE_HUSH_EXPORT || ENABLE_HUSH_TRAP
8940 static void print_escaped(const char *s)
8941 {
8942         if (*s == '\'')
8943                 goto squote;
8944         do {
8945                 const char *p = strchrnul(s, '\'');
8946                 /* print 'xxxx', possibly just '' */
8947                 printf("'%.*s'", (int)(p - s), s);
8948                 if (*p == '\0')
8949                         break;
8950                 s = p;
8951  squote:
8952                 /* s points to '; print "'''...'''" */
8953                 putchar('"');
8954                 do putchar('\''); while (*++s == '\'');
8955                 putchar('"');
8956         } while (*s);
8957 }
8958 #endif
8959
8960 #if ENABLE_HUSH_EXPORT || ENABLE_HUSH_LOCAL
8961 # if !ENABLE_HUSH_LOCAL
8962 #define helper_export_local(argv, exp, lvl) \
8963         helper_export_local(argv, exp)
8964 # endif
8965 static void helper_export_local(char **argv, int exp, int lvl)
8966 {
8967         do {
8968                 char *name = *argv;
8969                 char *name_end = strchrnul(name, '=');
8970
8971                 /* So far we do not check that name is valid (TODO?) */
8972
8973                 if (*name_end == '\0') {
8974                         struct variable *var, **vpp;
8975
8976                         vpp = get_ptr_to_local_var(name, name_end - name);
8977                         var = vpp ? *vpp : NULL;
8978
8979                         if (exp == -1) { /* unexporting? */
8980                                 /* export -n NAME (without =VALUE) */
8981                                 if (var) {
8982                                         var->flg_export = 0;
8983                                         debug_printf_env("%s: unsetenv '%s'\n", __func__, name);
8984                                         unsetenv(name);
8985                                 } /* else: export -n NOT_EXISTING_VAR: no-op */
8986                                 continue;
8987                         }
8988                         if (exp == 1) { /* exporting? */
8989                                 /* export NAME (without =VALUE) */
8990                                 if (var) {
8991                                         var->flg_export = 1;
8992                                         debug_printf_env("%s: putenv '%s'\n", __func__, var->varstr);
8993                                         putenv(var->varstr);
8994                                         continue;
8995                                 }
8996                         }
8997 # if ENABLE_HUSH_LOCAL
8998                         if (exp == 0 /* local? */
8999                          && var && var->func_nest_level == lvl
9000                         ) {
9001                                 /* "local x=abc; ...; local x" - ignore second local decl */
9002                                 continue;
9003                         }
9004 # endif
9005                         /* Exporting non-existing variable.
9006                          * bash does not put it in environment,
9007                          * but remembers that it is exported,
9008                          * and does put it in env when it is set later.
9009                          * We just set it to "" and export. */
9010                         /* Or, it's "local NAME" (without =VALUE).
9011                          * bash sets the value to "". */
9012                         name = xasprintf("%s=", name);
9013                 } else {
9014                         /* (Un)exporting/making local NAME=VALUE */
9015                         name = xstrdup(name);
9016                 }
9017                 set_local_var(name, /*exp:*/ exp, /*lvl:*/ lvl, /*ro:*/ 0);
9018         } while (*++argv);
9019 }
9020 #endif
9021
9022 #if ENABLE_HUSH_EXPORT
9023 static int FAST_FUNC builtin_export(char **argv)
9024 {
9025         unsigned opt_unexport;
9026
9027 #if ENABLE_HUSH_EXPORT_N
9028         /* "!": do not abort on errors */
9029         opt_unexport = getopt32(argv, "!n");
9030         if (opt_unexport == (uint32_t)-1)
9031                 return EXIT_FAILURE;
9032         argv += optind;
9033 #else
9034         opt_unexport = 0;
9035         argv++;
9036 #endif
9037
9038         if (argv[0] == NULL) {
9039                 char **e = environ;
9040                 if (e) {
9041                         while (*e) {
9042 #if 0
9043                                 puts(*e++);
9044 #else
9045                                 /* ash emits: export VAR='VAL'
9046                                  * bash: declare -x VAR="VAL"
9047                                  * we follow ash example */
9048                                 const char *s = *e++;
9049                                 const char *p = strchr(s, '=');
9050
9051                                 if (!p) /* wtf? take next variable */
9052                                         continue;
9053                                 /* export var= */
9054                                 printf("export %.*s", (int)(p - s) + 1, s);
9055                                 print_escaped(p + 1);
9056                                 putchar('\n');
9057 #endif
9058                         }
9059                         /*fflush_all(); - done after each builtin anyway */
9060                 }
9061                 return EXIT_SUCCESS;
9062         }
9063
9064         helper_export_local(argv, (opt_unexport ? -1 : 1), 0);
9065
9066         return EXIT_SUCCESS;
9067 }
9068 #endif
9069
9070 #if ENABLE_HUSH_LOCAL
9071 static int FAST_FUNC builtin_local(char **argv)
9072 {
9073         if (G.func_nest_level == 0) {
9074                 bb_error_msg("%s: not in a function", argv[0]);
9075                 return EXIT_FAILURE; /* bash compat */
9076         }
9077         helper_export_local(argv, 0, G.func_nest_level);
9078         return EXIT_SUCCESS;
9079 }
9080 #endif
9081
9082 #if ENABLE_HUSH_UNSET
9083 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#unset */
9084 static int FAST_FUNC builtin_unset(char **argv)
9085 {
9086         int ret;
9087         unsigned opts;
9088
9089         /* "!": do not abort on errors */
9090         /* "+": stop at 1st non-option */
9091         opts = getopt32(argv, "!+vf");
9092         if (opts == (unsigned)-1)
9093                 return EXIT_FAILURE;
9094         if (opts == 3) {
9095                 bb_error_msg("unset: -v and -f are exclusive");
9096                 return EXIT_FAILURE;
9097         }
9098         argv += optind;
9099
9100         ret = EXIT_SUCCESS;
9101         while (*argv) {
9102                 if (!(opts & 2)) { /* not -f */
9103                         if (unset_local_var(*argv)) {
9104                                 /* unset <nonexistent_var> doesn't fail.
9105                                  * Error is when one tries to unset RO var.
9106                                  * Message was printed by unset_local_var. */
9107                                 ret = EXIT_FAILURE;
9108                         }
9109                 }
9110 # if ENABLE_HUSH_FUNCTIONS
9111                 else {
9112                         unset_func(*argv);
9113                 }
9114 # endif
9115                 argv++;
9116         }
9117         return ret;
9118 }
9119 #endif
9120
9121 #if ENABLE_HUSH_SET
9122 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#set
9123  * built-in 'set' handler
9124  * SUSv3 says:
9125  * set [-abCefhmnuvx] [-o option] [argument...]
9126  * set [+abCefhmnuvx] [+o option] [argument...]
9127  * set -- [argument...]
9128  * set -o
9129  * set +o
9130  * Implementations shall support the options in both their hyphen and
9131  * plus-sign forms. These options can also be specified as options to sh.
9132  * Examples:
9133  * Write out all variables and their values: set
9134  * Set $1, $2, and $3 and set "$#" to 3: set c a b
9135  * Turn on the -x and -v options: set -xv
9136  * Unset all positional parameters: set --
9137  * Set $1 to the value of x, even if it begins with '-' or '+': set -- "$x"
9138  * Set the positional parameters to the expansion of x, even if x expands
9139  * with a leading '-' or '+': set -- $x
9140  *
9141  * So far, we only support "set -- [argument...]" and some of the short names.
9142  */
9143 static int FAST_FUNC builtin_set(char **argv)
9144 {
9145         int n;
9146         char **pp, **g_argv;
9147         char *arg = *++argv;
9148
9149         if (arg == NULL) {
9150                 struct variable *e;
9151                 for (e = G.top_var; e; e = e->next)
9152                         puts(e->varstr);
9153                 return EXIT_SUCCESS;
9154         }
9155
9156         do {
9157                 if (strcmp(arg, "--") == 0) {
9158                         ++argv;
9159                         goto set_argv;
9160                 }
9161                 if (arg[0] != '+' && arg[0] != '-')
9162                         break;
9163                 for (n = 1; arg[n]; ++n) {
9164                         if (set_mode((arg[0] == '-'), arg[n], argv[1]))
9165                                 goto error;
9166                         if (arg[n] == 'o' && argv[1])
9167                                 argv++;
9168                 }
9169         } while ((arg = *++argv) != NULL);
9170         /* Now argv[0] is 1st argument */
9171
9172         if (arg == NULL)
9173                 return EXIT_SUCCESS;
9174  set_argv:
9175
9176         /* NB: G.global_argv[0] ($0) is never freed/changed */
9177         g_argv = G.global_argv;
9178         if (G.global_args_malloced) {
9179                 pp = g_argv;
9180                 while (*++pp)
9181                         free(*pp);
9182                 g_argv[1] = NULL;
9183         } else {
9184                 G.global_args_malloced = 1;
9185                 pp = xzalloc(sizeof(pp[0]) * 2);
9186                 pp[0] = g_argv[0]; /* retain $0 */
9187                 g_argv = pp;
9188         }
9189         /* This realloc's G.global_argv */
9190         G.global_argv = pp = add_strings_to_strings(g_argv, argv, /*dup:*/ 1);
9191
9192         n = 1;
9193         while (*++pp)
9194                 n++;
9195         G.global_argc = n;
9196
9197         return EXIT_SUCCESS;
9198
9199         /* Nothing known, so abort */
9200  error:
9201         bb_error_msg("set: %s: invalid option", arg);
9202         return EXIT_FAILURE;
9203 }
9204 #endif
9205
9206 static int FAST_FUNC builtin_shift(char **argv)
9207 {
9208         int n = 1;
9209         argv = skip_dash_dash(argv);
9210         if (argv[0]) {
9211                 n = atoi(argv[0]);
9212         }
9213         if (n >= 0 && n < G.global_argc) {
9214                 if (G.global_args_malloced) {
9215                         int m = 1;
9216                         while (m <= n)
9217                                 free(G.global_argv[m++]);
9218                 }
9219                 G.global_argc -= n;
9220                 memmove(&G.global_argv[1], &G.global_argv[n+1],
9221                                 G.global_argc * sizeof(G.global_argv[0]));
9222                 return EXIT_SUCCESS;
9223         }
9224         return EXIT_FAILURE;
9225 }
9226
9227 #if ENABLE_HUSH_READ
9228 /* Interruptibility of read builtin in bash
9229  * (tested on bash-4.2.8 by sending signals (not by ^C)):
9230  *
9231  * Empty trap makes read ignore corresponding signal, for any signal.
9232  *
9233  * SIGINT:
9234  * - terminates non-interactive shell;
9235  * - interrupts read in interactive shell;
9236  * if it has non-empty trap:
9237  * - executes trap and returns to command prompt in interactive shell;
9238  * - executes trap and returns to read in non-interactive shell;
9239  * SIGTERM:
9240  * - is ignored (does not interrupt) read in interactive shell;
9241  * - terminates non-interactive shell;
9242  * if it has non-empty trap:
9243  * - executes trap and returns to read;
9244  * SIGHUP:
9245  * - terminates shell (regardless of interactivity);
9246  * if it has non-empty trap:
9247  * - executes trap and returns to read;
9248  */
9249 static int FAST_FUNC builtin_read(char **argv)
9250 {
9251         const char *r;
9252         char *opt_n = NULL;
9253         char *opt_p = NULL;
9254         char *opt_t = NULL;
9255         char *opt_u = NULL;
9256         const char *ifs;
9257         int read_flags;
9258
9259         /* "!": do not abort on errors.
9260          * Option string must start with "sr" to match BUILTIN_READ_xxx
9261          */
9262         read_flags = getopt32(argv, "!srn:p:t:u:", &opt_n, &opt_p, &opt_t, &opt_u);
9263         if (read_flags == (uint32_t)-1)
9264                 return EXIT_FAILURE;
9265         argv += optind;
9266         ifs = get_local_var_value("IFS"); /* can be NULL */
9267
9268  again:
9269         r = shell_builtin_read(set_local_var_from_halves,
9270                 argv,
9271                 ifs,
9272                 read_flags,
9273                 opt_n,
9274                 opt_p,
9275                 opt_t,
9276                 opt_u
9277         );
9278
9279         if ((uintptr_t)r == 1 && errno == EINTR) {
9280                 unsigned sig = check_and_run_traps();
9281                 if (sig && sig != SIGINT)
9282                         goto again;
9283         }
9284
9285         if ((uintptr_t)r > 1) {
9286                 bb_error_msg("%s", r);
9287                 r = (char*)(uintptr_t)1;
9288         }
9289
9290         return (uintptr_t)r;
9291 }
9292 #endif
9293
9294 #if ENABLE_HUSH_TRAP
9295 static int FAST_FUNC builtin_trap(char **argv)
9296 {
9297         int sig;
9298         char *new_cmd;
9299
9300         if (!G_traps)
9301                 G_traps = xzalloc(sizeof(G_traps[0]) * NSIG);
9302
9303         argv++;
9304         if (!*argv) {
9305                 int i;
9306                 /* No args: print all trapped */
9307                 for (i = 0; i < NSIG; ++i) {
9308                         if (G_traps[i]) {
9309                                 printf("trap -- ");
9310                                 print_escaped(G_traps[i]);
9311                                 /* note: bash adds "SIG", but only if invoked
9312                                  * as "bash". If called as "sh", or if set -o posix,
9313                                  * then it prints short signal names.
9314                                  * We are printing short names: */
9315                                 printf(" %s\n", get_signame(i));
9316                         }
9317                 }
9318                 /*fflush_all(); - done after each builtin anyway */
9319                 return EXIT_SUCCESS;
9320         }
9321
9322         new_cmd = NULL;
9323         /* If first arg is a number: reset all specified signals */
9324         sig = bb_strtou(*argv, NULL, 10);
9325         if (errno == 0) {
9326                 int ret;
9327  process_sig_list:
9328                 ret = EXIT_SUCCESS;
9329                 while (*argv) {
9330                         sighandler_t handler;
9331
9332                         sig = get_signum(*argv++);
9333                         if (sig < 0 || sig >= NSIG) {
9334                                 ret = EXIT_FAILURE;
9335                                 /* Mimic bash message exactly */
9336                                 bb_perror_msg("trap: %s: invalid signal specification", argv[-1]);
9337                                 continue;
9338                         }
9339
9340                         free(G_traps[sig]);
9341                         G_traps[sig] = xstrdup(new_cmd);
9342
9343                         debug_printf("trap: setting SIG%s (%i) to '%s'\n",
9344                                 get_signame(sig), sig, G_traps[sig]);
9345
9346                         /* There is no signal for 0 (EXIT) */
9347                         if (sig == 0)
9348                                 continue;
9349
9350                         if (new_cmd)
9351                                 handler = (new_cmd[0] ? record_pending_signo : SIG_IGN);
9352                         else
9353                                 /* We are removing trap handler */
9354                                 handler = pick_sighandler(sig);
9355                         install_sighandler(sig, handler);
9356                 }
9357                 return ret;
9358         }
9359
9360         if (!argv[1]) { /* no second arg */
9361                 bb_error_msg("trap: invalid arguments");
9362                 return EXIT_FAILURE;
9363         }
9364
9365         /* First arg is "-": reset all specified to default */
9366         /* First arg is "--": skip it, the rest is "handler SIGs..." */
9367         /* Everything else: set arg as signal handler
9368          * (includes "" case, which ignores signal) */
9369         if (argv[0][0] == '-') {
9370                 if (argv[0][1] == '\0') { /* "-" */
9371                         /* new_cmd remains NULL: "reset these sigs" */
9372                         goto reset_traps;
9373                 }
9374                 if (argv[0][1] == '-' && argv[0][2] == '\0') { /* "--" */
9375                         argv++;
9376                 }
9377                 /* else: "-something", no special meaning */
9378         }
9379         new_cmd = *argv;
9380  reset_traps:
9381         argv++;
9382         goto process_sig_list;
9383 }
9384 #endif
9385
9386 #if ENABLE_HUSH_TYPE
9387 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/type.html */
9388 static int FAST_FUNC builtin_type(char **argv)
9389 {
9390         int ret = EXIT_SUCCESS;
9391
9392         while (*++argv) {
9393                 const char *type;
9394                 char *path = NULL;
9395
9396                 if (0) {} /* make conditional compile easier below */
9397                 /*else if (find_alias(*argv))
9398                         type = "an alias";*/
9399 #if ENABLE_HUSH_FUNCTIONS
9400                 else if (find_function(*argv))
9401                         type = "a function";
9402 #endif
9403                 else if (find_builtin(*argv))
9404                         type = "a shell builtin";
9405                 else if ((path = find_in_path(*argv)) != NULL)
9406                         type = path;
9407                 else {
9408                         bb_error_msg("type: %s: not found", *argv);
9409                         ret = EXIT_FAILURE;
9410                         continue;
9411                 }
9412
9413                 printf("%s is %s\n", *argv, type);
9414                 free(path);
9415         }
9416
9417         return ret;
9418 }
9419 #endif
9420
9421 #if ENABLE_HUSH_JOB
9422 static struct pipe *parse_jobspec(const char *str)
9423 {
9424         struct pipe *pi;
9425         unsigned jobnum;
9426
9427         if (sscanf(str, "%%%u", &jobnum) != 1) {
9428                 if (str[0] != '%'
9429                  || (str[1] != '%' && str[1] != '+' && str[1] != '\0')
9430                 ) {
9431                         bb_error_msg("bad argument '%s'", str);
9432                         return NULL;
9433                 }
9434                 /* It is "%%", "%+" or "%" - current job */
9435                 jobnum = G.last_jobid;
9436                 if (jobnum == 0) {
9437                         bb_error_msg("no current job");
9438                         return NULL;
9439                 }
9440         }
9441         for (pi = G.job_list; pi; pi = pi->next) {
9442                 if (pi->jobid == jobnum) {
9443                         return pi;
9444                 }
9445         }
9446         bb_error_msg("%u: no such job", jobnum);
9447         return NULL;
9448 }
9449
9450 /* built-in 'fg' and 'bg' handler */
9451 static int FAST_FUNC builtin_fg_bg(char **argv)
9452 {
9453         int i;
9454         struct pipe *pi;
9455
9456         if (!G_interactive_fd)
9457                 return EXIT_FAILURE;
9458
9459         /* If they gave us no args, assume they want the last backgrounded task */
9460         if (!argv[1]) {
9461                 for (pi = G.job_list; pi; pi = pi->next) {
9462                         if (pi->jobid == G.last_jobid) {
9463                                 goto found;
9464                         }
9465                 }
9466                 bb_error_msg("%s: no current job", argv[0]);
9467                 return EXIT_FAILURE;
9468         }
9469
9470         pi = parse_jobspec(argv[1]);
9471         if (!pi)
9472                 return EXIT_FAILURE;
9473  found:
9474         /* TODO: bash prints a string representation
9475          * of job being foregrounded (like "sleep 1 | cat") */
9476         if (argv[0][0] == 'f' && G_saved_tty_pgrp) {
9477                 /* Put the job into the foreground.  */
9478                 tcsetpgrp(G_interactive_fd, pi->pgrp);
9479         }
9480
9481         /* Restart the processes in the job */
9482         debug_printf_jobs("reviving %d procs, pgrp %d\n", pi->num_cmds, pi->pgrp);
9483         for (i = 0; i < pi->num_cmds; i++) {
9484                 debug_printf_jobs("reviving pid %d\n", pi->cmds[i].pid);
9485         }
9486         pi->stopped_cmds = 0;
9487
9488         i = kill(- pi->pgrp, SIGCONT);
9489         if (i < 0) {
9490                 if (errno == ESRCH) {
9491                         delete_finished_bg_job(pi);
9492                         return EXIT_SUCCESS;
9493                 }
9494                 bb_perror_msg("kill (SIGCONT)");
9495         }
9496
9497         if (argv[0][0] == 'f') {
9498                 remove_bg_job(pi);
9499                 return checkjobs_and_fg_shell(pi);
9500         }
9501         return EXIT_SUCCESS;
9502 }
9503 #endif
9504
9505 #if ENABLE_HUSH_HELP
9506 static int FAST_FUNC builtin_help(char **argv UNUSED_PARAM)
9507 {
9508         const struct built_in_command *x;
9509
9510         printf(
9511                 "Built-in commands:\n"
9512                 "------------------\n");
9513         for (x = bltins1; x != &bltins1[ARRAY_SIZE(bltins1)]; x++) {
9514                 if (x->b_descr)
9515                         printf("%-10s%s\n", x->b_cmd, x->b_descr);
9516         }
9517         return EXIT_SUCCESS;
9518 }
9519 #endif
9520
9521 #if MAX_HISTORY && ENABLE_FEATURE_EDITING
9522 static int FAST_FUNC builtin_history(char **argv UNUSED_PARAM)
9523 {
9524         show_history(G.line_input_state);
9525         return EXIT_SUCCESS;
9526 }
9527 #endif
9528
9529 #if ENABLE_HUSH_JOB
9530 static int FAST_FUNC builtin_jobs(char **argv UNUSED_PARAM)
9531 {
9532         struct pipe *job;
9533         const char *status_string;
9534
9535         checkjobs(NULL, 0 /*(no pid to wait for)*/);
9536         for (job = G.job_list; job; job = job->next) {
9537                 if (job->alive_cmds == job->stopped_cmds)
9538                         status_string = "Stopped";
9539                 else
9540                         status_string = "Running";
9541
9542                 printf(JOB_STATUS_FORMAT, job->jobid, status_string, job->cmdtext);
9543         }
9544         return EXIT_SUCCESS;
9545 }
9546 #endif
9547
9548 #if ENABLE_HUSH_MEMLEAK
9549 static int FAST_FUNC builtin_memleak(char **argv UNUSED_PARAM)
9550 {
9551         void *p;
9552         unsigned long l;
9553
9554 # ifdef M_TRIM_THRESHOLD
9555         /* Optional. Reduces probability of false positives */
9556         malloc_trim(0);
9557 # endif
9558         /* Crude attempt to find where "free memory" starts,
9559          * sans fragmentation. */
9560         p = malloc(240);
9561         l = (unsigned long)p;
9562         free(p);
9563         p = malloc(3400);
9564         if (l < (unsigned long)p) l = (unsigned long)p;
9565         free(p);
9566
9567
9568 # if 0  /* debug */
9569         {
9570                 struct mallinfo mi = mallinfo();
9571                 printf("top alloc:0x%lx malloced:%d+%d=%d\n", l,
9572                         mi.arena, mi.hblkhd, mi.arena + mi.hblkhd);
9573         }
9574 # endif
9575
9576         if (!G.memleak_value)
9577                 G.memleak_value = l;
9578
9579         l -= G.memleak_value;
9580         if ((long)l < 0)
9581                 l = 0;
9582         l /= 1024;
9583         if (l > 127)
9584                 l = 127;
9585
9586         /* Exitcode is "how many kilobytes we leaked since 1st call" */
9587         return l;
9588 }
9589 #endif
9590
9591 static int FAST_FUNC builtin_pwd(char **argv UNUSED_PARAM)
9592 {
9593         puts(get_cwd(0));
9594         return EXIT_SUCCESS;
9595 }
9596
9597 static int FAST_FUNC builtin_source(char **argv)
9598 {
9599         char *arg_path, *filename;
9600         FILE *input;
9601         save_arg_t sv;
9602 #if ENABLE_HUSH_FUNCTIONS
9603         smallint sv_flg;
9604 #endif
9605
9606         argv = skip_dash_dash(argv);
9607         filename = argv[0];
9608         if (!filename) {
9609                 /* bash says: "bash: .: filename argument required" */
9610                 return 2; /* bash compat */
9611         }
9612         arg_path = NULL;
9613         if (!strchr(filename, '/')) {
9614                 arg_path = find_in_path(filename);
9615                 if (arg_path)
9616                         filename = arg_path;
9617         }
9618         input = remember_FILE(fopen_or_warn(filename, "r"));
9619         free(arg_path);
9620         if (!input) {
9621                 /* bb_perror_msg("%s", *argv); - done by fopen_or_warn */
9622                 /* POSIX: non-interactive shell should abort here,
9623                  * not merely fail. So far no one complained :)
9624                  */
9625                 return EXIT_FAILURE;
9626         }
9627
9628 #if ENABLE_HUSH_FUNCTIONS
9629         sv_flg = G_flag_return_in_progress;
9630         /* "we are inside sourced file, ok to use return" */
9631         G_flag_return_in_progress = -1;
9632 #endif
9633         if (argv[1])
9634                 save_and_replace_G_args(&sv, argv);
9635
9636         /* "false; . ./empty_line; echo Zero:$?" should print 0 */
9637         G.last_exitcode = 0;
9638         parse_and_run_file(input);
9639         fclose_and_forget(input);
9640
9641         if (argv[1])
9642                 restore_G_args(&sv, argv);
9643 #if ENABLE_HUSH_FUNCTIONS
9644         G_flag_return_in_progress = sv_flg;
9645 #endif
9646
9647         return G.last_exitcode;
9648 }
9649
9650 #if ENABLE_HUSH_UMASK
9651 static int FAST_FUNC builtin_umask(char **argv)
9652 {
9653         int rc;
9654         mode_t mask;
9655
9656         rc = 1;
9657         mask = umask(0);
9658         argv = skip_dash_dash(argv);
9659         if (argv[0]) {
9660                 mode_t old_mask = mask;
9661
9662                 /* numeric umasks are taken as-is */
9663                 /* symbolic umasks are inverted: "umask a=rx" calls umask(222) */
9664                 if (!isdigit(argv[0][0]))
9665                         mask ^= 0777;
9666                 mask = bb_parse_mode(argv[0], mask);
9667                 if (!isdigit(argv[0][0]))
9668                         mask ^= 0777;
9669                 if ((unsigned)mask > 0777) {
9670                         mask = old_mask;
9671                         /* bash messages:
9672                          * bash: umask: 'q': invalid symbolic mode operator
9673                          * bash: umask: 999: octal number out of range
9674                          */
9675                         bb_error_msg("%s: invalid mode '%s'", "umask", argv[0]);
9676                         rc = 0;
9677                 }
9678         } else {
9679                 /* Mimic bash */
9680                 printf("%04o\n", (unsigned) mask);
9681                 /* fall through and restore mask which we set to 0 */
9682         }
9683         umask(mask);
9684
9685         return !rc; /* rc != 0 - success */
9686 }
9687 #endif
9688
9689 #if ENABLE_HUSH_KILL
9690 static int FAST_FUNC builtin_kill(char **argv)
9691 {
9692         int ret = 0;
9693
9694 # if ENABLE_HUSH_JOB
9695         if (argv[1] && strcmp(argv[1], "-l") != 0) {
9696                 int i = 1;
9697
9698                 do {
9699                         struct pipe *pi;
9700                         char *dst;
9701                         int j, n;
9702
9703                         if (argv[i][0] != '%')
9704                                 continue;
9705                         /*
9706                          * "kill %N" - job kill
9707                          * Converting to pgrp / pid kill
9708                          */
9709                         pi = parse_jobspec(argv[i]);
9710                         if (!pi) {
9711                                 /* Eat bad jobspec */
9712                                 j = i;
9713                                 do {
9714                                         j++;
9715                                         argv[j - 1] = argv[j];
9716                                 } while (argv[j]);
9717                                 ret = 1;
9718                                 i--;
9719                                 continue;
9720                         }
9721                         /*
9722                          * In jobs started under job control, we signal
9723                          * entire process group by kill -PGRP_ID.
9724                          * This happens, f.e., in interactive shell.
9725                          *
9726                          * Otherwise, we signal each child via
9727                          * kill PID1 PID2 PID3.
9728                          * Testcases:
9729                          * sh -c 'sleep 1|sleep 1 & kill %1'
9730                          * sh -c 'true|sleep 2 & sleep 1; kill %1'
9731                          * sh -c 'true|sleep 1 & sleep 2; kill %1'
9732                          */
9733                         n = G_interactive_fd ? 1 : pi->num_cmds;
9734                         dst = alloca(n * sizeof(int)*4);
9735                         argv[i] = dst;
9736                         if (G_interactive_fd)
9737                                 dst += sprintf(dst, " -%u", (int)pi->pgrp);
9738                         else for (j = 0; j < n; j++) {
9739                                 struct command *cmd = &pi->cmds[j];
9740                                 /* Skip exited members of the job */
9741                                 if (cmd->pid == 0)
9742                                         continue;
9743                                 /*
9744                                  * kill_main has matching code to expect
9745                                  * leading space. Needed to not confuse
9746                                  * negative pids with "kill -SIGNAL_NO" syntax
9747                                  */
9748                                 dst += sprintf(dst, " %u", (int)cmd->pid);
9749                         }
9750                         *dst = '\0';
9751                 } while (argv[++i]);
9752         }
9753 # endif
9754
9755         if (argv[1] || ret == 0) {
9756                 ret = run_applet_main(argv, kill_main);
9757         }
9758         /* else: ret = 1, "kill %bad_jobspec" case */
9759         return ret;
9760 }
9761 #endif
9762
9763 #if ENABLE_HUSH_WAIT
9764 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/wait.html */
9765 #if !ENABLE_HUSH_JOB
9766 # define wait_for_child_or_signal(pipe,pid) wait_for_child_or_signal(pid)
9767 #endif
9768 static int wait_for_child_or_signal(struct pipe *waitfor_pipe, pid_t waitfor_pid)
9769 {
9770         int ret = 0;
9771         for (;;) {
9772                 int sig;
9773                 sigset_t oldset;
9774
9775                 if (!sigisemptyset(&G.pending_set))
9776                         goto check_sig;
9777
9778                 /* waitpid is not interruptible by SA_RESTARTed
9779                  * signals which we use. Thus, this ugly dance:
9780                  */
9781
9782                 /* Make sure possible SIGCHLD is stored in kernel's
9783                  * pending signal mask before we call waitpid.
9784                  * Or else we may race with SIGCHLD, lose it,
9785                  * and get stuck in sigsuspend...
9786                  */
9787                 sigfillset(&oldset); /* block all signals, remember old set */
9788                 sigprocmask(SIG_SETMASK, &oldset, &oldset);
9789
9790                 if (!sigisemptyset(&G.pending_set)) {
9791                         /* Crap! we raced with some signal! */
9792                         goto restore;
9793                 }
9794
9795                 /*errno = 0; - checkjobs does this */
9796 /* Can't pass waitfor_pipe into checkjobs(): it won't be interruptible */
9797                 ret = checkjobs(NULL, waitfor_pid); /* waitpid(WNOHANG) inside */
9798                 debug_printf_exec("checkjobs:%d\n", ret);
9799 #if ENABLE_HUSH_JOB
9800                 if (waitfor_pipe) {
9801                         int rcode = job_exited_or_stopped(waitfor_pipe);
9802                         debug_printf_exec("job_exited_or_stopped:%d\n", rcode);
9803                         if (rcode >= 0) {
9804                                 ret = rcode;
9805                                 sigprocmask(SIG_SETMASK, &oldset, NULL);
9806                                 break;
9807                         }
9808                 }
9809 #endif
9810                 /* if ECHILD, there are no children (ret is -1 or 0) */
9811                 /* if ret == 0, no children changed state */
9812                 /* if ret != 0, it's exitcode+1 of exited waitfor_pid child */
9813                 if (errno == ECHILD || ret) {
9814                         ret--;
9815                         if (ret < 0) /* if ECHILD, may need to fix "ret" */
9816                                 ret = 0;
9817                         sigprocmask(SIG_SETMASK, &oldset, NULL);
9818                         break;
9819                 }
9820                 /* Wait for SIGCHLD or any other signal */
9821                 /* It is vitally important for sigsuspend that SIGCHLD has non-DFL handler! */
9822                 /* Note: sigsuspend invokes signal handler */
9823                 sigsuspend(&oldset);
9824  restore:
9825                 sigprocmask(SIG_SETMASK, &oldset, NULL);
9826  check_sig:
9827                 /* So, did we get a signal? */
9828                 sig = check_and_run_traps();
9829                 if (sig /*&& sig != SIGCHLD - always true */) {
9830                         ret = 128 + sig;
9831                         break;
9832                 }
9833                 /* SIGCHLD, or no signal, or ignored one, such as SIGQUIT. Repeat */
9834         }
9835         return ret;
9836 }
9837
9838 static int FAST_FUNC builtin_wait(char **argv)
9839 {
9840         int ret;
9841         int status;
9842
9843         argv = skip_dash_dash(argv);
9844         if (argv[0] == NULL) {
9845                 /* Don't care about wait results */
9846                 /* Note 1: must wait until there are no more children */
9847                 /* Note 2: must be interruptible */
9848                 /* Examples:
9849                  * $ sleep 3 & sleep 6 & wait
9850                  * [1] 30934 sleep 3
9851                  * [2] 30935 sleep 6
9852                  * [1] Done                   sleep 3
9853                  * [2] Done                   sleep 6
9854                  * $ sleep 3 & sleep 6 & wait
9855                  * [1] 30936 sleep 3
9856                  * [2] 30937 sleep 6
9857                  * [1] Done                   sleep 3
9858                  * ^C <-- after ~4 sec from keyboard
9859                  * $
9860                  */
9861                 return wait_for_child_or_signal(NULL, 0 /*(no job and no pid to wait for)*/);
9862         }
9863
9864         do {
9865                 pid_t pid = bb_strtou(*argv, NULL, 10);
9866                 if (errno || pid <= 0) {
9867 #if ENABLE_HUSH_JOB
9868                         if (argv[0][0] == '%') {
9869                                 struct pipe *wait_pipe;
9870                                 ret = 127; /* bash compat for bad jobspecs */
9871                                 wait_pipe = parse_jobspec(*argv);
9872                                 if (wait_pipe) {
9873                                         ret = job_exited_or_stopped(wait_pipe);
9874                                         if (ret < 0)
9875                                                 ret = wait_for_child_or_signal(wait_pipe, 0);
9876                                 }
9877                                 /* else: parse_jobspec() already emitted error msg */
9878                                 continue;
9879                         }
9880 #endif
9881                         /* mimic bash message */
9882                         bb_error_msg("wait: '%s': not a pid or valid job spec", *argv);
9883                         ret = EXIT_FAILURE;
9884                         continue; /* bash checks all argv[] */
9885                 }
9886
9887                 /* Do we have such child? */
9888                 ret = waitpid(pid, &status, WNOHANG);
9889                 if (ret < 0) {
9890                         /* No */
9891                         if (errno == ECHILD) {
9892                                 if (G.last_bg_pid > 0 && pid == G.last_bg_pid) {
9893                                         /* "wait $!" but last bg task has already exited. Try:
9894                                          * (sleep 1; exit 3) & sleep 2; echo $?; wait $!; echo $?
9895                                          * In bash it prints exitcode 0, then 3.
9896                                          * In dash, it is 127.
9897                                          */
9898                                         /* ret = G.last_bg_pid_exitstatus - FIXME */
9899                                 } else {
9900                                         /* Example: "wait 1". mimic bash message */
9901                                         bb_error_msg("wait: pid %d is not a child of this shell", (int)pid);
9902                                 }
9903                         } else {
9904                                 /* ??? */
9905                                 bb_perror_msg("wait %s", *argv);
9906                         }
9907                         ret = 127;
9908                         continue; /* bash checks all argv[] */
9909                 }
9910                 if (ret == 0) {
9911                         /* Yes, and it still runs */
9912                         ret = wait_for_child_or_signal(NULL, pid);
9913                 } else {
9914                         /* Yes, and it just exited */
9915                         process_wait_result(NULL, pid, status);
9916                         ret = WEXITSTATUS(status);
9917                         if (WIFSIGNALED(status))
9918                                 ret = 128 + WTERMSIG(status);
9919                 }
9920         } while (*++argv);
9921
9922         return ret;
9923 }
9924 #endif
9925
9926 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_FUNCTIONS
9927 static unsigned parse_numeric_argv1(char **argv, unsigned def, unsigned def_min)
9928 {
9929         if (argv[1]) {
9930                 def = bb_strtou(argv[1], NULL, 10);
9931                 if (errno || def < def_min || argv[2]) {
9932                         bb_error_msg("%s: bad arguments", argv[0]);
9933                         def = UINT_MAX;
9934                 }
9935         }
9936         return def;
9937 }
9938 #endif
9939
9940 #if ENABLE_HUSH_LOOPS
9941 static int FAST_FUNC builtin_break(char **argv)
9942 {
9943         unsigned depth;
9944         if (G.depth_of_loop == 0) {
9945                 bb_error_msg("%s: only meaningful in a loop", argv[0]);
9946                 /* if we came from builtin_continue(), need to undo "= 1" */
9947                 G.flag_break_continue = 0;
9948                 return EXIT_SUCCESS; /* bash compat */
9949         }
9950         G.flag_break_continue++; /* BC_BREAK = 1, or BC_CONTINUE = 2 */
9951
9952         G.depth_break_continue = depth = parse_numeric_argv1(argv, 1, 1);
9953         if (depth == UINT_MAX)
9954                 G.flag_break_continue = BC_BREAK;
9955         if (G.depth_of_loop < depth)
9956                 G.depth_break_continue = G.depth_of_loop;
9957
9958         return EXIT_SUCCESS;
9959 }
9960
9961 static int FAST_FUNC builtin_continue(char **argv)
9962 {
9963         G.flag_break_continue = 1; /* BC_CONTINUE = 2 = 1+1 */
9964         return builtin_break(argv);
9965 }
9966 #endif
9967
9968 #if ENABLE_HUSH_FUNCTIONS
9969 static int FAST_FUNC builtin_return(char **argv)
9970 {
9971         int rc;
9972
9973         if (G_flag_return_in_progress != -1) {
9974                 bb_error_msg("%s: not in a function or sourced script", argv[0]);
9975                 return EXIT_FAILURE; /* bash compat */
9976         }
9977
9978         G_flag_return_in_progress = 1;
9979
9980         /* bash:
9981          * out of range: wraps around at 256, does not error out
9982          * non-numeric param:
9983          * f() { false; return qwe; }; f; echo $?
9984          * bash: return: qwe: numeric argument required  <== we do this
9985          * 255  <== we also do this
9986          */
9987         rc = parse_numeric_argv1(argv, G.last_exitcode, 0);
9988         return rc;
9989 }
9990 #endif