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