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