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