hush: plug leak in run_pipe(). NOMMU only.
[oweals/busybox.git] / shell / hush.c
1 /* vi: set sw=4 ts=4: */
2 /*
3  * A prototype Bourne shell grammar parser.
4  * Intended to follow the original Thompson and Ritchie
5  * "small and simple is beautiful" philosophy, which
6  * incidentally is a good match to today's BusyBox.
7  *
8  * Copyright (C) 2000,2001  Larry Doolittle  <larry@doolittle.boa.org>
9  * Copyright (C) 2008,2009  Denys Vlasenko <vda.linux@googlemail.com>
10  *
11  * Credits:
12  *      The parser routines proper are all original material, first
13  *      written Dec 2000 and Jan 2001 by Larry Doolittle.  The
14  *      execution engine, the builtins, and much of the underlying
15  *      support has been adapted from busybox-0.49pre's lash, which is
16  *      Copyright (C) 1999-2004 by Erik Andersen <andersen@codepoet.org>
17  *      written by Erik Andersen <andersen@codepoet.org>.  That, in turn,
18  *      is based in part on ladsh.c, by Michael K. Johnson and Erik W.
19  *      Troan, which they placed in the public domain.  I don't know
20  *      how much of the Johnson/Troan code has survived the repeated
21  *      rewrites.
22  *
23  * Other credits:
24  *      o_addchr derived from similar w_addchar function in glibc-2.2.
25  *      parse_redirect, redirect_opt_num, and big chunks of main
26  *      and many builtins derived from contributions by Erik Andersen.
27  *      Miscellaneous bugfixes from Matt Kraai.
28  *
29  * There are two big (and related) architecture differences between
30  * this parser and the lash parser.  One is that this version is
31  * actually designed from the ground up to understand nearly all
32  * of the Bourne grammar.  The second, consequential change is that
33  * the parser and input reader have been turned inside out.  Now,
34  * the parser is in control, and asks for input as needed.  The old
35  * way had the input reader in control, and it asked for parsing to
36  * take place as needed.  The new way makes it much easier to properly
37  * handle the recursion implicit in the various substitutions, especially
38  * across continuation lines.
39  *
40  * POSIX syntax not implemented:
41  *      aliases
42  *      <(list) and >(list) Process Substitution
43  *      Functions
44  *      Tilde Expansion
45  *
46  * Bash stuff (maybe optionally enable?):
47  *      &> and >& redirection of stdout+stderr
48  *      Brace expansion
49  *      reserved words: [[ ]] function select
50  *      substrings ${var:1:5}
51  *
52  * TODOs:
53  *      grep for "TODO" and fix (some of them are easy)
54  *      change { and } from special chars to reserved words
55  *      builtins: return, ulimit
56  *      follow IFS rules more precisely, including update semantics
57  *      figure out what to do with backslash-newline
58  *      continuation lines, both explicit and implicit - done?
59  *      SIGHUP handling
60  *      ^Z handling (and explain it in comments for mere humans)
61  *      separate job control from interactiveness
62  *      (testcase: booting with init=/bin/hush does not show prompt (2009-04))
63  *      functions
64  *
65  * Licensed under the GPL v2 or later, see the file LICENSE in this tarball.
66  */
67
68 #include "busybox.h" /* for APPLET_IS_NOFORK/NOEXEC */
69 //TODO: pull in some .h and find out whether we have SINGLE_APPLET_MAIN?
70 //#include "applet_tables.h" doesn't work
71 #include <glob.h>
72 /* #include <dmalloc.h> */
73 #if ENABLE_HUSH_CASE
74 #include <fnmatch.h>
75 #endif
76 #include "math.h"
77 #include "match.h"
78 #ifndef PIPE_BUF
79 # define PIPE_BUF 4096           /* amount of buffering in a pipe */
80 #endif
81
82 #ifdef WANT_TO_TEST_NOMMU
83 # undef BB_MMU
84 # undef USE_FOR_NOMMU
85 # undef USE_FOR_MMU
86 # define BB_MMU 0
87 # define USE_FOR_NOMMU(...) __VA_ARGS__
88 # define USE_FOR_MMU(...)
89 #endif
90
91 #if defined SINGLE_APPLET_MAIN
92 /* STANDALONE does not make sense, and won't compile */
93 #undef CONFIG_FEATURE_SH_STANDALONE
94 #undef ENABLE_FEATURE_SH_STANDALONE
95 #undef USE_FEATURE_SH_STANDALONE
96 #define SKIP_FEATURE_SH_STANDALONE(...) __VA_ARGS__
97 #define ENABLE_FEATURE_SH_STANDALONE 0
98 #define USE_FEATURE_SH_STANDALONE(...)
99 #define SKIP_FEATURE_SH_STANDALONE(...) __VA_ARGS__
100 #endif
101
102 #if !ENABLE_HUSH_INTERACTIVE
103 #undef ENABLE_FEATURE_EDITING
104 #define ENABLE_FEATURE_EDITING 0
105 #undef ENABLE_FEATURE_EDITING_FANCY_PROMPT
106 #define ENABLE_FEATURE_EDITING_FANCY_PROMPT 0
107 #endif
108
109 /* Do we support ANY keywords? */
110 #if ENABLE_HUSH_IF || ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
111 #define HAS_KEYWORDS 1
112 #define IF_HAS_KEYWORDS(...) __VA_ARGS__
113 #define IF_HAS_NO_KEYWORDS(...)
114 #else
115 #define HAS_KEYWORDS 0
116 #define IF_HAS_KEYWORDS(...)
117 #define IF_HAS_NO_KEYWORDS(...) __VA_ARGS__
118 #endif
119
120 /* Enable/disable sanity checks. Ok to enable in production,
121  * only adds a bit of bloat.
122  * Keeping unconditionally on for now.
123  */
124 #define HUSH_DEBUG 1
125 /* In progress... */
126 #define ENABLE_HUSH_FUNCTIONS 0
127
128
129 /* If you comment out one of these below, it will be #defined later
130  * to perform debug printfs to stderr: */
131 #define debug_printf(...)        do {} while (0)
132 /* Finer-grained debug switches */
133 #define debug_printf_parse(...)  do {} while (0)
134 #define debug_print_tree(a, b)   do {} while (0)
135 #define debug_printf_exec(...)   do {} while (0)
136 #define debug_printf_env(...)    do {} while (0)
137 #define debug_printf_jobs(...)   do {} while (0)
138 #define debug_printf_expand(...) do {} while (0)
139 #define debug_printf_glob(...)   do {} while (0)
140 #define debug_printf_list(...)   do {} while (0)
141 #define debug_printf_subst(...)  do {} while (0)
142 #define debug_printf_clean(...)  do {} while (0)
143
144 #ifndef debug_printf
145 #define debug_printf(...) fprintf(stderr, __VA_ARGS__)
146 #endif
147
148 #ifndef debug_printf_parse
149 #define debug_printf_parse(...) fprintf(stderr, __VA_ARGS__)
150 #endif
151
152 #ifndef debug_printf_exec
153 #define debug_printf_exec(...) fprintf(stderr, __VA_ARGS__)
154 #endif
155
156 #ifndef debug_printf_env
157 #define debug_printf_env(...) fprintf(stderr, __VA_ARGS__)
158 #endif
159
160 #ifndef debug_printf_jobs
161 #define debug_printf_jobs(...) fprintf(stderr, __VA_ARGS__)
162 #define DEBUG_JOBS 1
163 #else
164 #define DEBUG_JOBS 0
165 #endif
166
167 #ifndef debug_printf_expand
168 #define debug_printf_expand(...) fprintf(stderr, __VA_ARGS__)
169 #define DEBUG_EXPAND 1
170 #else
171 #define DEBUG_EXPAND 0
172 #endif
173
174 #ifndef debug_printf_glob
175 #define debug_printf_glob(...) fprintf(stderr, __VA_ARGS__)
176 #define DEBUG_GLOB 1
177 #else
178 #define DEBUG_GLOB 0
179 #endif
180
181 #ifndef debug_printf_list
182 #define debug_printf_list(...) fprintf(stderr, __VA_ARGS__)
183 #endif
184
185 #ifndef debug_printf_subst
186 #define debug_printf_subst(...) fprintf(stderr, __VA_ARGS__)
187 #endif
188
189 #ifndef debug_printf_clean
190 /* broken, of course, but OK for testing */
191 static const char *indenter(int i)
192 {
193         static const char blanks[] ALIGN1 =
194                 "                                    ";
195         return &blanks[sizeof(blanks) - i - 1];
196 }
197 #define debug_printf_clean(...) fprintf(stderr, __VA_ARGS__)
198 #define DEBUG_CLEAN 1
199 #else
200 #define DEBUG_CLEAN 0
201 #endif
202
203 #if DEBUG_EXPAND
204 static void debug_print_strings(const char *prefix, char **vv)
205 {
206         fprintf(stderr, "%s:\n", prefix);
207         while (*vv)
208                 fprintf(stderr, " '%s'\n", *vv++);
209 }
210 #else
211 #define debug_print_strings(prefix, vv) ((void)0)
212 #endif
213
214 /*
215  * Leak hunting. Use hush_leaktool.sh for post-processing.
216  */
217 //#define FOR_HUSH_LEAKTOOL
218 #ifdef FOR_HUSH_LEAKTOOL
219 static void *xxmalloc(int lineno, size_t size)
220 {
221         void *ptr = xmalloc((size + 0xff) & ~0xff);
222         fdprintf(2, "line %d: malloc %p\n", lineno, ptr);
223         return ptr;
224 }
225 static void *xxrealloc(int lineno, void *ptr, size_t size)
226 {
227         ptr = xrealloc(ptr, (size + 0xff) & ~0xff);
228         fdprintf(2, "line %d: realloc %p\n", lineno, ptr);
229         return ptr;
230 }
231 static char *xxstrdup(int lineno, const char *str)
232 {
233         char *ptr = xstrdup(str);
234         fdprintf(2, "line %d: strdup %p\n", lineno, ptr);
235         return ptr;
236 }
237 static void xxfree(void *ptr)
238 {
239         fdprintf(2, "free %p\n", ptr);
240         free(ptr);
241 }
242 #define xmalloc(s)     xxmalloc(__LINE__, s)
243 #define xrealloc(p, s) xxrealloc(__LINE__, p, s)
244 #define xstrdup(s)     xxstrdup(__LINE__, s)
245 #define free(p)        xxfree(p)
246 #endif
247
248
249 #define ERR_PTR ((void*)(long)1)
250
251 #define JOB_STATUS_FORMAT "[%d] %-22s %.40s\n"
252
253 #define SPECIAL_VAR_SYMBOL 3
254
255 static const char hush_version_str[] ALIGN1 = "HUSH_VERSION="BB_VER;
256
257 /* This supports saving pointers malloced in vfork child,
258  * to be freed in the parent. One pointer is saved in
259  * G.argv_from_re_execing global var instead. TODO: unify.
260  */
261 #if !BB_MMU
262 typedef struct nommu_save_t {
263         char **new_env;
264         char **old_env;
265         char **argv;
266 } nommu_save_t;
267 #endif
268
269 /* The descrip member of this structure is only used to make
270  * debugging output pretty */
271 static const struct {
272         int mode;
273         signed char default_fd;
274         char descrip[3];
275 } redir_table[] = {
276         { 0,                         0, "??" },
277         { O_RDONLY,                  0, "<"  },
278         { O_CREAT|O_TRUNC|O_WRONLY,  1, ">"  },
279         { O_CREAT|O_APPEND|O_WRONLY, 1, ">>" },
280         { O_RDONLY,                  0, "<<" },
281         { O_CREAT|O_RDWR,            1, "<>" },
282 /* Should not be needed. Bogus default_fd helps in debugging */
283 /*      { O_RDONLY,                 77, "<<" }, */
284 };
285
286 typedef enum reserved_style {
287         RES_NONE  = 0,
288 #if ENABLE_HUSH_IF
289         RES_IF    ,
290         RES_THEN  ,
291         RES_ELIF  ,
292         RES_ELSE  ,
293         RES_FI    ,
294 #endif
295 #if ENABLE_HUSH_LOOPS
296         RES_FOR   ,
297         RES_WHILE ,
298         RES_UNTIL ,
299         RES_DO    ,
300         RES_DONE  ,
301 #endif
302 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
303         RES_IN    ,
304 #endif
305 #if ENABLE_HUSH_CASE
306         RES_CASE  ,
307         /* two pseudo-keywords support contrived "case" syntax: */
308         RES_MATCH , /* "word)" */
309         RES_CASEI , /* "this command is inside CASE" */
310         RES_ESAC  ,
311 #endif
312         RES_XXXX  ,
313         RES_SNTX
314 } reserved_style;
315
316 typedef struct o_string {
317         char *data;
318         int length; /* position where data is appended */
319         int maxlen;
320         /* Protect newly added chars against globbing
321          * (by prepending \ to *, ?, [, \) */
322         smallint o_escape;
323         smallint o_glob;
324         /* At least some part of the string was inside '' or "",
325          * possibly empty one: word"", wo''rd etc. */
326         smallint o_quoted;
327         smallint has_empty_slot;
328         smallint o_assignment; /* 0:maybe, 1:yes, 2:no */
329 } o_string;
330 enum {
331         MAYBE_ASSIGNMENT = 0,
332         DEFINITELY_ASSIGNMENT = 1,
333         NOT_ASSIGNMENT = 2,
334         WORD_IS_KEYWORD = 3, /* not assigment, but next word may be: "if v=xyz cmd;" */
335 };
336 /* Used for initialization: o_string foo = NULL_O_STRING; */
337 #define NULL_O_STRING { NULL }
338
339 /* I can almost use ordinary FILE*.  Is open_memstream() universally
340  * available?  Where is it documented? */
341 typedef struct in_str {
342         const char *p;
343         /* eof_flag=1: last char in ->p is really an EOF */
344         char eof_flag; /* meaningless if ->p == NULL */
345         char peek_buf[2];
346 #if ENABLE_HUSH_INTERACTIVE
347         smallint promptme;
348         smallint promptmode; /* 0: PS1, 1: PS2 */
349 #endif
350         FILE *file;
351         int (*get) (struct in_str *);
352         int (*peek) (struct in_str *);
353 } in_str;
354 #define i_getch(input) ((input)->get(input))
355 #define i_peek(input) ((input)->peek(input))
356
357 struct redir_struct {
358         struct redir_struct *next;
359         char *rd_filename;          /* filename */
360         int rd_fd;                  /* fd to redirect */
361         /* fd to redirect to, or -3 if rd_fd is to be closed (n>&-) */
362         int rd_dup;
363         smallint rd_type;           /* (enum redir_type) */
364         /* note: for heredocs, rd_filename contains heredoc delimiter,
365          * and subsequently heredoc itself; and rd_dup is a bitmask:
366          * 1: do we need to trim leading tabs?
367          * 2: is heredoc quoted (<<'dleim' syntax) ?
368          */
369 };
370 typedef enum redir_type {
371         REDIRECT_INVALID   = 0,
372         REDIRECT_INPUT     = 1,
373         REDIRECT_OVERWRITE = 2,
374         REDIRECT_APPEND    = 3,
375         REDIRECT_HEREDOC   = 4,
376         REDIRECT_IO        = 5,
377         REDIRECT_HEREDOC2  = 6, /* REDIRECT_HEREDOC after heredoc is loaded */
378         REDIRFD_CLOSE = -3,
379         HEREDOC_SKIPTABS = 1,
380         HEREDOC_QUOTED   = 2,
381 } redir_type;
382
383
384 struct command {
385         pid_t pid;                  /* 0 if exited */
386         int assignment_cnt;         /* how many argv[i] are assignments? */
387         smallint is_stopped;        /* is the command currently running? */
388         smallint grp_type;          /* GRP_xxx */
389         struct pipe *group;         /* if non-NULL, this "command" is { list },
390                                      * ( list ), or a compound statement */
391 #if !BB_MMU
392         char *group_as_string;
393 #endif
394         char **argv;                /* command name and arguments */
395         struct redir_struct *redirects; /* I/O redirections */
396 };
397 /* argv vector may contain variable references (^Cvar^C, ^C0^C etc)
398  * and on execution these are substituted with their values.
399  * Substitution can make _several_ words out of one argv[n]!
400  * Example: argv[0]=='.^C*^C.' here: echo .$*.
401  * References of the form ^C`cmd arg^C are `cmd arg` substitutions.
402  */
403 #define GRP_NORMAL   0
404 #define GRP_SUBSHELL 1
405 #if ENABLE_HUSH_FUNCTIONS
406 #define GRP_FUNCTION 2
407 #endif
408
409 struct pipe {
410         struct pipe *next;
411         int num_cmds;               /* total number of commands in job */
412         int alive_cmds;             /* number of commands running (not exited) */
413         int stopped_cmds;           /* number of commands alive, but stopped */
414 #if ENABLE_HUSH_JOB
415         int jobid;                  /* job number */
416         pid_t pgrp;                 /* process group ID for the job */
417         char *cmdtext;              /* name of job */
418 #endif
419         struct command *cmds;       /* array of commands in pipe */
420         smallint followup;          /* PIPE_BG, PIPE_SEQ, PIPE_OR, PIPE_AND */
421         IF_HAS_KEYWORDS(smallint pi_inverted;) /* "! cmd | cmd" */
422         IF_HAS_KEYWORDS(smallint res_word;) /* needed for if, for, while, until... */
423 };
424 typedef enum pipe_style {
425         PIPE_SEQ = 1,
426         PIPE_AND = 2,
427         PIPE_OR  = 3,
428         PIPE_BG  = 4,
429 } pipe_style;
430
431 /* This holds pointers to the various results of parsing */
432 struct parse_context {
433         /* linked list of pipes */
434         struct pipe *list_head;
435         /* last pipe (being constructed right now) */
436         struct pipe *pipe;
437         /* last command in pipe (being constructed right now) */
438         struct command *command;
439         /* last redirect in command->redirects list */
440         struct redir_struct *pending_redirect;
441 #if !BB_MMU
442         o_string as_string;
443 #endif
444 #if HAS_KEYWORDS
445         smallint ctx_res_w;
446         smallint ctx_inverted; /* "! cmd | cmd" */
447 #if ENABLE_HUSH_CASE
448         smallint ctx_dsemicolon; /* ";;" seen */
449 #endif
450         /* bitmask of FLAG_xxx, for figuring out valid reserved words */
451         int old_flag;
452         /* group we are enclosed in:
453          * example: "if pipe1; pipe2; then pipe3; fi"
454          * when we see "if" or "then", we malloc and copy current context,
455          * and make ->stack point to it. then we parse pipeN.
456          * when closing "then" / fi" / whatever is found,
457          * we move list_head into ->stack->command->group,
458          * copy ->stack into current context, and delete ->stack.
459          * (parsing of { list } and ( list ) doesn't use this method)
460          */
461         struct parse_context *stack;
462 #endif
463 };
464
465 /* On program start, environ points to initial environment.
466  * putenv adds new pointers into it, unsetenv removes them.
467  * Neither of these (de)allocates the strings.
468  * setenv allocates new strings in malloc space and does putenv,
469  * and thus setenv is unusable (leaky) for shell's purposes */
470 #define setenv(...) setenv_is_leaky_dont_use()
471 struct variable {
472         struct variable *next;
473         char *varstr;        /* points to "name=" portion */
474         int max_len;         /* if > 0, name is part of initial env; else name is malloced */
475         smallint flg_export; /* putenv should be done on this var */
476         smallint flg_read_only;
477 };
478
479 enum {
480         BC_BREAK = 1,
481         BC_CONTINUE = 2,
482 };
483
484
485 /* "Globals" within this file */
486 /* Sorted roughly by size (smaller offsets == smaller code) */
487 struct globals {
488 #if ENABLE_HUSH_INTERACTIVE
489         /* 'interactive_fd' is a fd# open to ctty, if we have one
490          * _AND_ if we decided to act interactively */
491         int interactive_fd;
492         const char *PS1;
493         const char *PS2;
494 #define G_interactive_fd (G.interactive_fd)
495 #else
496 #define G_interactive_fd 0
497 #endif
498 #if ENABLE_FEATURE_EDITING
499         line_input_t *line_input_state;
500 #endif
501         pid_t root_pid;
502         pid_t last_bg_pid;
503 #if ENABLE_HUSH_JOB
504         int run_list_level;
505         pid_t saved_tty_pgrp;
506         int last_jobid;
507         struct pipe *job_list;
508         struct pipe *toplevel_list;
509 ////    smallint ctrl_z_flag;
510 #endif
511         smallint flag_SIGINT;
512 #if ENABLE_HUSH_LOOPS
513         smallint flag_break_continue;
514 #endif
515         smallint fake_mode;
516         /* These four support $?, $#, and $1 */
517         smalluint last_exitcode;
518         /* are global_argv and global_argv[1..n] malloced? (note: not [0]) */
519         smalluint global_args_malloced;
520         /* how many non-NULL argv's we have. NB: $# + 1 */
521         int global_argc;
522         char **global_argv;
523 #if !BB_MMU
524         char *argv0_for_re_execing;
525         char **argv_from_re_execing;
526 #endif
527 #if ENABLE_HUSH_LOOPS
528         unsigned depth_break_continue;
529         unsigned depth_of_loop;
530 #endif
531         const char *ifs;
532         const char *cwd;
533         struct variable *top_var; /* = &G.shell_ver (set in main()) */
534         struct variable shell_ver;
535         /* Signal and trap handling */
536 //      unsigned count_SIGCHLD;
537 //      unsigned handled_SIGCHLD;
538         /* which signals have non-DFL handler (even with no traps set)? */
539         unsigned non_DFL_mask;
540         char **traps; /* char *traps[NSIG] */
541         sigset_t blocked_set;
542         sigset_t inherited_set;
543 #if HUSH_DEBUG
544         unsigned long memleak_value;
545 #endif
546         char user_input_buf[ENABLE_FEATURE_EDITING ? BUFSIZ : 2];
547 #if ENABLE_FEATURE_SH_STANDALONE
548         struct nofork_save_area nofork_save;
549 #endif
550 #if ENABLE_HUSH_JOB
551         sigjmp_buf toplevel_jb;
552 #endif
553 };
554 #define G (*ptr_to_globals)
555 /* Not #defining name to G.name - this quickly gets unwieldy
556  * (too many defines). Also, I actually prefer to see when a variable
557  * is global, thus "G." prefix is a useful hint */
558 #define INIT_G() do { \
559         SET_PTR_TO_GLOBALS(xzalloc(sizeof(G))); \
560 } while (0)
561
562
563 /* Function prototypes for builtins */
564 static int builtin_cd(char **argv);
565 static int builtin_echo(char **argv);
566 static int builtin_eval(char **argv);
567 static int builtin_exec(char **argv);
568 static int builtin_exit(char **argv);
569 static int builtin_export(char **argv);
570 #if ENABLE_HUSH_JOB
571 static int builtin_fg_bg(char **argv);
572 static int builtin_jobs(char **argv);
573 #endif
574 #if ENABLE_HUSH_HELP
575 static int builtin_help(char **argv);
576 #endif
577 #if HUSH_DEBUG
578 static int builtin_memleak(char **argv);
579 #endif
580 static int builtin_pwd(char **argv);
581 static int builtin_read(char **argv);
582 static int builtin_set(char **argv);
583 static int builtin_shift(char **argv);
584 static int builtin_source(char **argv);
585 static int builtin_test(char **argv);
586 static int builtin_trap(char **argv);
587 static int builtin_true(char **argv);
588 static int builtin_umask(char **argv);
589 static int builtin_unset(char **argv);
590 static int builtin_wait(char **argv);
591 #if ENABLE_HUSH_LOOPS
592 static int builtin_break(char **argv);
593 static int builtin_continue(char **argv);
594 #endif
595
596 /* Table of built-in functions.  They can be forked or not, depending on
597  * context: within pipes, they fork.  As simple commands, they do not.
598  * When used in non-forking context, they can change global variables
599  * in the parent shell process.  If forked, of course they cannot.
600  * For example, 'unset foo | whatever' will parse and run, but foo will
601  * still be set at the end. */
602 struct built_in_command {
603         const char *cmd;
604         int (*function)(char **argv);
605 #if ENABLE_HUSH_HELP
606         const char *descr;
607 #define BLTIN(cmd, func, help) { cmd, func, help }
608 #else
609 #define BLTIN(cmd, func, help) { cmd, func }
610 #endif
611 };
612
613 /* For now, echo and test are unconditionally enabled.
614  * Maybe make it configurable? */
615 static const struct built_in_command bltins[] = {
616         BLTIN("."       , builtin_source  , "Run commands in a file"),
617         BLTIN(":"       , builtin_true    , "No-op"),
618         BLTIN("["       , builtin_test    , "Test condition"),
619 #if ENABLE_HUSH_JOB
620         BLTIN("bg"      , builtin_fg_bg   , "Resume a job in the background"),
621 #endif
622 #if ENABLE_HUSH_LOOPS
623         BLTIN("break"   , builtin_break   , "Exit from a loop"),
624 #endif
625         BLTIN("cd"      , builtin_cd      , "Change directory"),
626 #if ENABLE_HUSH_LOOPS
627         BLTIN("continue", builtin_continue, "Start new loop iteration"),
628 #endif
629         BLTIN("echo"    , builtin_echo    , "Write to stdout"),
630         BLTIN("eval"    , builtin_eval    , "Construct and run shell command"),
631         BLTIN("exec"    , builtin_exec    , "Execute command, don't return to shell"),
632         BLTIN("exit"    , builtin_exit    , "Exit"),
633         BLTIN("export"  , builtin_export  , "Set environment variable"),
634 #if ENABLE_HUSH_JOB
635         BLTIN("fg"      , builtin_fg_bg   , "Bring job into the foreground"),
636 #endif
637 #if ENABLE_HUSH_HELP
638         BLTIN("help"    , builtin_help    , "List shell built-in commands"),
639 #endif
640 #if ENABLE_HUSH_JOB
641         BLTIN("jobs"    , builtin_jobs    , "List active jobs"),
642 #endif
643 #if HUSH_DEBUG
644         BLTIN("memleak" , builtin_memleak , "Debug tool"),
645 #endif
646         BLTIN("pwd"     , builtin_pwd     , "Print current directory"),
647         BLTIN("read"    , builtin_read    , "Input environment variable"),
648 //      BLTIN("return"  , builtin_return  , "Return from a function"),
649         BLTIN("set"     , builtin_set     , "Set/unset shell local variables"),
650         BLTIN("shift"   , builtin_shift   , "Shift positional parameters"),
651         BLTIN("test"    , builtin_test    , "Test condition"),
652         BLTIN("trap"    , builtin_trap    , "Trap signals"),
653 //      BLTIN("ulimit"  , builtin_return  , "Control resource limits"),
654         BLTIN("umask"   , builtin_umask   , "Set file creation mask"),
655         BLTIN("unset"   , builtin_unset   , "Unset environment variable"),
656         BLTIN("wait"    , builtin_wait    , "Wait for process"),
657 };
658
659
660 static void maybe_die(const char *notice, const char *msg)
661 {
662         /* Was using fancy stuff:
663          * (G_interactive_fd ? bb_error_msg : bb_error_msg_and_die)(...params...)
664          * but it SEGVs. ?! Oh well... explicit temp ptr works around that */
665         void FAST_FUNC (*fp)(const char *s, ...) = bb_error_msg_and_die;
666 #if ENABLE_HUSH_INTERACTIVE
667         if (G_interactive_fd)
668                 fp = bb_error_msg;
669 #endif
670         fp(msg ? "%s: %s" : notice, notice, msg);
671 }
672 #if 1
673 #define syntax(msg) maybe_die("syntax error", msg);
674 #else
675 /* Debug -- trick gcc to expand __LINE__ and convert to string */
676 #define __syntax(msg, line) maybe_die("syntax error hush.c:" # line, msg)
677 #define _syntax(msg, line) __syntax(msg, line)
678 #define syntax(msg) _syntax(msg, __LINE__)
679 #endif
680
681
682 static int glob_needed(const char *s)
683 {
684         while (*s) {
685                 if (*s == '\\')
686                         s++;
687                 if (*s == '*' || *s == '[' || *s == '?')
688                         return 1;
689                 s++;
690         }
691         return 0;
692 }
693
694 static int is_assignment(const char *s)
695 {
696         if (!s || !(isalpha(*s) || *s == '_'))
697                 return 0;
698         s++;
699         while (isalnum(*s) || *s == '_')
700                 s++;
701         return *s == '=';
702 }
703
704 /* Replace each \x with x in place, return ptr past NUL. */
705 static char *unbackslash(char *src)
706 {
707         char *dst = src;
708         while (1) {
709                 if (*src == '\\')
710                         src++;
711                 if ((*dst++ = *src++) == '\0')
712                         break;
713         }
714         return dst;
715 }
716
717 static char **add_strings_to_strings(char **strings, char **add, int need_to_dup)
718 {
719         int i;
720         unsigned count1;
721         unsigned count2;
722         char **v;
723
724         v = strings;
725         count1 = 0;
726         if (v) {
727                 while (*v) {
728                         count1++;
729                         v++;
730                 }
731         }
732         count2 = 0;
733         v = add;
734         while (*v) {
735                 count2++;
736                 v++;
737         }
738         v = xrealloc(strings, (count1 + count2 + 1) * sizeof(char*));
739         v[count1 + count2] = NULL;
740         i = count2;
741         while (--i >= 0)
742                 v[count1 + i] = (need_to_dup ? xstrdup(add[i]) : add[i]);
743         return v;
744 }
745 #ifdef FOR_HUSH_LEAKTOOL
746 static char **xx_add_strings_to_strings(int lineno, char **strings, char **add, int need_to_dup)
747 {
748         char **ptr = add_strings_to_strings(strings, add, need_to_dup);
749         fdprintf(2, "line %d: add_strings_to_strings %p\n", lineno, ptr);
750         return ptr;
751 }
752 #define add_strings_to_strings(strings, add, need_to_dup) \
753         xx_add_strings_to_strings(__LINE__, strings, add, need_to_dup)
754 #endif
755
756 static char **add_string_to_strings(char **strings, char *add)
757 {
758         char *v[2];
759         v[0] = add;
760         v[1] = NULL;
761         return add_strings_to_strings(strings, v, /*dup:*/ 0);
762 }
763 #ifdef FOR_HUSH_LEAKTOOL
764 static char **xx_add_string_to_strings(int lineno, char **strings, char *add)
765 {
766         char **ptr = add_string_to_strings(strings, add);
767         fdprintf(2, "line %d: add_string_to_strings %p\n", lineno, ptr);
768         return ptr;
769 }
770 #define add_string_to_strings(strings, add) \
771         xx_add_string_to_strings(__LINE__, strings, add)
772 #endif
773
774 static void putenv_all(char **strings)
775 {
776         if (!strings)
777                 return;
778         while (*strings) {
779                 debug_printf_env("putenv '%s'\n", *strings);
780                 putenv(*strings++);
781         }
782 }
783
784 static char **putenv_all_and_save_old(char **strings)
785 {
786         char **old = NULL;
787         char **s = strings;
788
789         if (!strings)
790                 return old;
791         while (*strings) {
792                 char *v, *eq;
793
794                 eq = strchr(*strings, '=');
795                 if (eq) {
796                         *eq = '\0';
797                         v = getenv(*strings);
798                         *eq = '=';
799                         if (v) {
800                                 /* v points to VAL in VAR=VAL, go back to VAR */
801                                 v -= (eq - *strings) + 1;
802                                 old = add_string_to_strings(old, v);
803                         }
804                 }
805                 strings++;
806         }
807         putenv_all(s);
808         return old;
809 }
810
811 static void free_strings_and_unsetenv(char **strings, int unset)
812 {
813         char **v;
814
815         if (!strings)
816                 return;
817
818         v = strings;
819         while (*v) {
820                 if (unset) {
821                         debug_printf_env("unsetenv '%s'\n", *v);
822                         bb_unsetenv(*v);
823                 }
824                 free(*v++);
825         }
826         free(strings);
827 }
828
829 static void free_strings(char **strings)
830 {
831         free_strings_and_unsetenv(strings, 0);
832 }
833
834
835 /* Basic theory of signal handling in shell
836  * ========================================
837  * This does not describe what hush does, rather, it is current understanding
838  * what it _should_ do. If it doesn't, it's a bug.
839  * http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#trap
840  *
841  * Signals are handled only after each pipe ("cmd | cmd | cmd" thing)
842  * is finished or backgrounded. It is the same in interactive and
843  * non-interactive shells, and is the same regardless of whether
844  * a user trap handler is installed or a shell special one is in effect.
845  * ^C or ^Z from keyboard seem to execute "at once" because it usually
846  * backgrounds (i.e. stops) or kills all members of currently running
847  * pipe.
848  *
849  * Wait builtin in interruptible by signals for which user trap is set
850  * or by SIGINT in interactive shell.
851  *
852  * Trap handlers will execute even within trap handlers. (right?)
853  *
854  * User trap handlers are forgotten when subshell ("(cmd)") is entered. [TODO]
855  *
856  * If job control is off, backgrounded commands ("cmd &")
857  * have SIGINT, SIGQUIT set to SIG_IGN.
858  *
859  * Commands run in command substitution ("`cmd`")
860  * have SIGTTIN, SIGTTOU, SIGTSTP set to SIG_IGN.
861  *
862  * Ordinary commands have signals set to SIG_IGN/DFL set as inherited
863  * by the shell from its parent.
864  *
865  * Siganls which differ from SIG_DFL action
866  * (note: child (i.e., [v]forked) shell is not an interactive shell):
867  *
868  * SIGQUIT: ignore
869  * SIGTERM (interactive): ignore
870  * SIGHUP (interactive):
871  *    send SIGCONT to stopped jobs, send SIGHUP to all jobs and exit
872  * SIGTTIN, SIGTTOU, SIGTSTP (if job control is on): ignore
873  *    (note that ^Z is handled not by trapping SIGTSTP, but by seeing
874  *    that all pipe members are stopped) (right?)
875  * SIGINT (interactive): wait for last pipe, ignore the rest
876  *    of the command line, show prompt. NB: ^C does not send SIGINT
877  *    to interactive shell while shell is waiting for a pipe,
878  *    since shell is bg'ed (is not in foreground process group).
879  *    (check/expand this)
880  *    Example 1: this waits 5 sec, but does not execute ls:
881  *    "echo $$; sleep 5; ls -l" + "kill -INT <pid>"
882  *    Example 2: this does not wait and does not execute ls:
883  *    "echo $$; sleep 5 & wait; ls -l" + "kill -INT <pid>"
884  *    Example 3: this does not wait 5 sec, but executes ls:
885  *    "sleep 5; ls -l" + press ^C
886  *
887  * (What happens to signals which are IGN on shell start?)
888  * (What happens with signal mask on shell start?)
889  *
890  * Implementation in hush
891  * ======================
892  * We use in-kernel pending signal mask to determine which signals were sent.
893  * We block all signals which we don't want to take action immediately,
894  * i.e. we block all signals which need to have special handling as described
895  * above, and all signals which have traps set.
896  * After each pipe execution, we extract any pending signals via sigtimedwait()
897  * and act on them.
898  *
899  * unsigned non_DFL_mask: a mask of such "special" signals
900  * sigset_t blocked_set:  current blocked signal set
901  *
902  * "trap - SIGxxx":
903  *    clear bit in blocked_set unless it is also in non_DFL_mask
904  * "trap 'cmd' SIGxxx":
905  *    set bit in blocked_set (even if 'cmd' is '')
906  * after [v]fork, if we plan to be a shell:
907  *    nothing for {} child shell (say, "true | { true; true; } | true")
908  *    unset all traps if () shell. [TODO]
909  * after [v]fork, if we plan to exec:
910  *    POSIX says pending signal mask is cleared in child - no need to clear it.
911  *    Restore blocked signal set to one inherited by shell just prior to exec.
912  *
913  * Note: as a result, we do not use signal handlers much. The only uses
914  * are to count SIGCHLDs [disabled - bug somewhere, + bloat]
915  * and to restore tty pgrp on signal-induced exit.
916  */
917
918 //static void SIGCHLD_handler(int sig UNUSED_PARAM)
919 //{
920 //      G.count_SIGCHLD++;
921 //}
922
923 static int check_and_run_traps(int sig)
924 {
925         static const struct timespec zero_timespec = { 0, 0 };
926         smalluint save_rcode;
927         int last_sig = 0;
928
929         if (sig)
930                 goto jump_in;
931         while (1) {
932                 sig = sigtimedwait(&G.blocked_set, NULL, &zero_timespec);
933                 if (sig <= 0)
934                         break;
935  jump_in:
936                 last_sig = sig;
937                 if (G.traps && G.traps[sig]) {
938                         if (G.traps[sig][0]) {
939                                 /* We have user-defined handler */
940                                 char *argv[] = { NULL, xstrdup(G.traps[sig]), NULL };
941                                 save_rcode = G.last_exitcode;
942                                 builtin_eval(argv);
943                                 free(argv[1]);
944                                 G.last_exitcode = save_rcode;
945                         } /* else: "" trap, ignoring signal */
946                         continue;
947                 }
948                 /* not a trap: special action */
949                 switch (sig) {
950 //              case SIGCHLD:
951 //                      G.count_SIGCHLD++;
952 //                      break;
953                 case SIGINT:
954                         bb_putchar('\n');
955                         G.flag_SIGINT = 1;
956                         break;
957 //TODO
958 //              case SIGHUP: ...
959 //                      break;
960                 default: /* ignored: */
961                         /* SIGTERM, SIGQUIT, SIGTTIN, SIGTTOU, SIGTSTP */
962                         break;
963                 }
964         }
965         return last_sig;
966 }
967
968 #if ENABLE_HUSH_JOB
969
970 /* After [v]fork, in child: do not restore tty pgrp on xfunc death */
971 #define disable_restore_tty_pgrp_on_exit() (die_sleep = 0)
972 /* After [v]fork, in parent: restore tty pgrp on xfunc death */
973 #define enable_restore_tty_pgrp_on_exit()  (die_sleep = -1)
974
975 /* Restores tty foreground process group, and exits.
976  * May be called as signal handler for fatal signal
977  * (will faithfully resend signal to itself, producing correct exit state)
978  * or called directly with -EXITCODE.
979  * We also call it if xfunc is exiting. */
980 static void sigexit(int sig) NORETURN;
981 static void sigexit(int sig)
982 {
983         /* Disable all signals: job control, SIGPIPE, etc. */
984         sigprocmask_allsigs(SIG_BLOCK);
985
986         /* Careful: we can end up here after [v]fork. Do not restore
987          * tty pgrp then, only top-level shell process does that */
988         if (G_interactive_fd && getpid() == G.root_pid)
989                 tcsetpgrp(G_interactive_fd, G.saved_tty_pgrp);
990
991         /* Not a signal, just exit */
992         if (sig <= 0)
993                 _exit(- sig);
994
995         kill_myself_with_sig(sig); /* does not return */
996 }
997 #else
998
999 #define disable_restore_tty_pgrp_on_exit() ((void)0)
1000 #define enable_restore_tty_pgrp_on_exit()  ((void)0)
1001
1002 #endif
1003
1004 /* Restores tty foreground process group, and exits. */
1005 static void hush_exit(int exitcode) NORETURN;
1006 static void hush_exit(int exitcode)
1007 {
1008         if (G.traps && G.traps[0] && G.traps[0][0]) {
1009                 char *argv[] = { NULL, xstrdup(G.traps[0]), NULL };
1010 //TODO: do we need to prevent recursion?
1011                 builtin_eval(argv);
1012                 free(argv[1]);
1013         }
1014
1015 #if ENABLE_HUSH_JOB
1016         fflush(NULL); /* flush all streams */
1017         sigexit(- (exitcode & 0xff));
1018 #else
1019         exit(exitcode);
1020 #endif
1021 }
1022
1023
1024 static const char *set_cwd(void)
1025 {
1026         /* xrealloc_getcwd_or_warn(arg) calls free(arg),
1027          * we must not try to free(bb_msg_unknown) */
1028         if (G.cwd == bb_msg_unknown)
1029                 G.cwd = NULL;
1030         G.cwd = xrealloc_getcwd_or_warn((char *)G.cwd);
1031         if (!G.cwd)
1032                 G.cwd = bb_msg_unknown;
1033         return G.cwd;
1034 }
1035
1036
1037 /* Get/check local shell variables */
1038 static struct variable *get_local_var(const char *name)
1039 {
1040         struct variable *cur;
1041         int len;
1042
1043         if (!name)
1044                 return NULL;
1045         len = strlen(name);
1046         for (cur = G.top_var; cur; cur = cur->next) {
1047                 if (strncmp(cur->varstr, name, len) == 0 && cur->varstr[len] == '=')
1048                         return cur;
1049         }
1050         return NULL;
1051 }
1052
1053 static const char *get_local_var_value(const char *src)
1054 {
1055         struct variable *var = get_local_var(src);
1056         if (var)
1057                 return strchr(var->varstr, '=') + 1;
1058         return NULL;
1059 }
1060
1061 /* str holds "NAME=VAL" and is expected to be malloced.
1062  * We take ownership of it.
1063  * flg_export:
1064  *  0: do not export
1065  *  1: export
1066  * -1: if NAME is set, leave export status alone
1067  *     if NAME is not set, do not export
1068  * flg_read_only is set only when we handle -R var=val
1069  */
1070 #if BB_MMU
1071 #define set_local_var(str, flg_export, flg_read_only) \
1072         set_local_var(str, flg_export)
1073 #endif
1074 static int set_local_var(char *str, int flg_export, int flg_read_only)
1075 {
1076         struct variable *cur;
1077         char *value;
1078         int name_len;
1079
1080         value = strchr(str, '=');
1081         if (!value) { /* not expected to ever happen? */
1082                 free(str);
1083                 return -1;
1084         }
1085
1086         name_len = value - str + 1; /* including '=' */
1087         cur = G.top_var; /* cannot be NULL (we have HUSH_VERSION and it's RO) */
1088         while (1) {
1089                 if (strncmp(cur->varstr, str, name_len) != 0) {
1090                         if (!cur->next) {
1091                                 /* Bail out. Note that now cur points
1092                                  * to last var in linked list */
1093                                 break;
1094                         }
1095                         cur = cur->next;
1096                         continue;
1097                 }
1098                 /* We found an existing var with this name */
1099                 *value = '\0';
1100                 if (cur->flg_read_only) {
1101 #if !BB_MMU
1102                         if (!flg_read_only)
1103 #endif
1104                                 bb_error_msg("%s: readonly variable", str);
1105                         free(str);
1106                         return -1;
1107                 }
1108                 debug_printf_env("%s: unsetenv '%s'\n", __func__, str);
1109                 unsetenv(str); /* just in case */
1110                 *value = '=';
1111                 if (strcmp(cur->varstr, str) == 0) {
1112  free_and_exp:
1113                         free(str);
1114                         goto exp;
1115                 }
1116                 if (cur->max_len >= strlen(str)) {
1117                         /* This one is from startup env, reuse space */
1118                         strcpy(cur->varstr, str);
1119                         goto free_and_exp;
1120                 }
1121                 /* max_len == 0 signifies "malloced" var, which we can
1122                  * (and has to) free */
1123                 if (!cur->max_len)
1124                         free(cur->varstr);
1125                 cur->max_len = 0;
1126                 goto set_str_and_exp;
1127         }
1128
1129         /* Not found - create next variable struct */
1130         cur->next = xzalloc(sizeof(*cur));
1131         cur = cur->next;
1132
1133  set_str_and_exp:
1134         cur->varstr = str;
1135 #if !BB_MMU
1136         cur->flg_read_only = flg_read_only;
1137 #endif
1138  exp:
1139         if (flg_export == 1)
1140                 cur->flg_export = 1;
1141         if (cur->flg_export) {
1142                 debug_printf_env("%s: putenv '%s'\n", __func__, cur->varstr);
1143                 return putenv(cur->varstr);
1144         }
1145         return 0;
1146 }
1147
1148 static int unset_local_var(const char *name)
1149 {
1150         struct variable *cur;
1151         struct variable *prev = prev; /* for gcc */
1152         int name_len;
1153
1154         if (!name)
1155                 return EXIT_SUCCESS;
1156         name_len = strlen(name);
1157         cur = G.top_var;
1158         while (cur) {
1159                 if (strncmp(cur->varstr, name, name_len) == 0 && cur->varstr[name_len] == '=') {
1160                         if (cur->flg_read_only) {
1161                                 bb_error_msg("%s: readonly variable", name);
1162                                 return EXIT_FAILURE;
1163                         }
1164                         /* prev is ok to use here because 1st variable, HUSH_VERSION,
1165                          * is ro, and we cannot reach this code on the 1st pass */
1166                         prev->next = cur->next;
1167                         debug_printf_env("%s: unsetenv '%s'\n", __func__, cur->varstr);
1168                         bb_unsetenv(cur->varstr);
1169                         if (!cur->max_len)
1170                                 free(cur->varstr);
1171                         free(cur);
1172                         return EXIT_SUCCESS;
1173                 }
1174                 prev = cur;
1175                 cur = cur->next;
1176         }
1177         return EXIT_SUCCESS;
1178 }
1179
1180 #if ENABLE_SH_MATH_SUPPORT
1181 #define is_name(c)      ((c) == '_' || isalpha((unsigned char)(c)))
1182 #define is_in_name(c)   ((c) == '_' || isalnum((unsigned char)(c)))
1183 static char *endofname(const char *name)
1184 {
1185         char *p;
1186
1187         p = (char *) name;
1188         if (!is_name(*p))
1189                 return p;
1190         while (*++p) {
1191                 if (!is_in_name(*p))
1192                         break;
1193         }
1194         return p;
1195 }
1196
1197 static void arith_set_local_var(const char *name, const char *val, int flags)
1198 {
1199         /* arith code doesnt malloc space, so do it for it */
1200         char *var = xasprintf("%s=%s", name, val);
1201         set_local_var(var, flags, 0);
1202 }
1203 #endif
1204
1205
1206 /*
1207  * in_str support
1208  */
1209 static int static_get(struct in_str *i)
1210 {
1211         int ch = *i->p++;
1212         if (ch != '\0')
1213                 return ch;
1214         i->p--;
1215         return EOF;
1216 }
1217
1218 static int static_peek(struct in_str *i)
1219 {
1220         return *i->p;
1221 }
1222
1223 #if ENABLE_HUSH_INTERACTIVE
1224
1225 static void cmdedit_set_initial_prompt(void)
1226 {
1227         if (ENABLE_FEATURE_EDITING_FANCY_PROMPT) {
1228                 G.PS1 = getenv("PS1");
1229                 if (G.PS1 == NULL)
1230                         G.PS1 = "\\w \\$ ";
1231         } else
1232                 G.PS1 = NULL;
1233 }
1234
1235 static const char* setup_prompt_string(int promptmode)
1236 {
1237         const char *prompt_str;
1238         debug_printf("setup_prompt_string %d ", promptmode);
1239         if (!ENABLE_FEATURE_EDITING_FANCY_PROMPT) {
1240                 /* Set up the prompt */
1241                 if (promptmode == 0) { /* PS1 */
1242                         free((char*)G.PS1);
1243                         G.PS1 = xasprintf("%s %c ", G.cwd, (geteuid() != 0) ? '$' : '#');
1244                         prompt_str = G.PS1;
1245                 } else
1246                         prompt_str = G.PS2;
1247         } else
1248                 prompt_str = (promptmode == 0) ? G.PS1 : G.PS2;
1249         debug_printf("result '%s'\n", prompt_str);
1250         return prompt_str;
1251 }
1252
1253 static void get_user_input(struct in_str *i)
1254 {
1255         int r;
1256         const char *prompt_str;
1257
1258         prompt_str = setup_prompt_string(i->promptmode);
1259 #if ENABLE_FEATURE_EDITING
1260         /* Enable command line editing only while a command line
1261          * is actually being read */
1262         do {
1263                 G.flag_SIGINT = 0;
1264                 /* buglet: SIGINT will not make new prompt to appear _at once_,
1265                  * only after <Enter>. (^C will work) */
1266                 r = read_line_input(prompt_str, G.user_input_buf, BUFSIZ-1, G.line_input_state);
1267                 /* catch *SIGINT* etc (^C is handled by read_line_input) */
1268                 check_and_run_traps(0);
1269         } while (r == 0 || G.flag_SIGINT); /* repeat if ^C or SIGINT */
1270         i->eof_flag = (r < 0);
1271         if (i->eof_flag) { /* EOF/error detected */
1272                 G.user_input_buf[0] = EOF; /* yes, it will be truncated, it's ok */
1273                 G.user_input_buf[1] = '\0';
1274         }
1275 #else
1276         do {
1277                 G.flag_SIGINT = 0;
1278                 fputs(prompt_str, stdout);
1279                 fflush(stdout);
1280                 G.user_input_buf[0] = r = fgetc(i->file);
1281                 /*G.user_input_buf[1] = '\0'; - already is and never changed */
1282 //do we need check_and_run_traps(0)? (maybe only if stdin)
1283         } while (G.flag_SIGINT);
1284         i->eof_flag = (r == EOF);
1285 #endif
1286         i->p = G.user_input_buf;
1287 }
1288
1289 #endif  /* INTERACTIVE */
1290
1291 /* This is the magic location that prints prompts
1292  * and gets data back from the user */
1293 static int file_get(struct in_str *i)
1294 {
1295         int ch;
1296
1297         /* If there is data waiting, eat it up */
1298         if (i->p && *i->p) {
1299 #if ENABLE_HUSH_INTERACTIVE
1300  take_cached:
1301 #endif
1302                 ch = *i->p++;
1303                 if (i->eof_flag && !*i->p)
1304                         ch = EOF;
1305                 /* note: ch is never NUL */
1306         } else {
1307                 /* need to double check i->file because we might be doing something
1308                  * more complicated by now, like sourcing or substituting. */
1309 #if ENABLE_HUSH_INTERACTIVE
1310                 if (G_interactive_fd && i->promptme && i->file == stdin) {
1311                         do {
1312                                 get_user_input(i);
1313                         } while (!*i->p); /* need non-empty line */
1314                         i->promptmode = 1; /* PS2 */
1315                         i->promptme = 0;
1316                         goto take_cached;
1317                 }
1318 #endif
1319                 do ch = fgetc(i->file); while (ch == '\0');
1320         }
1321         debug_printf("file_get: got '%c' %d\n", ch, ch);
1322 #if ENABLE_HUSH_INTERACTIVE
1323         if (ch == '\n')
1324                 i->promptme = 1;
1325 #endif
1326         return ch;
1327 }
1328
1329 /* All callers guarantee this routine will never
1330  * be used right after a newline, so prompting is not needed.
1331  */
1332 static int file_peek(struct in_str *i)
1333 {
1334         int ch;
1335         if (i->p && *i->p) {
1336                 if (i->eof_flag && !i->p[1])
1337                         return EOF;
1338                 return *i->p;
1339                 /* note: ch is never NUL */
1340         }
1341         do ch = fgetc(i->file); while (ch == '\0');
1342         i->eof_flag = (ch == EOF);
1343         i->peek_buf[0] = ch;
1344         i->peek_buf[1] = '\0';
1345         i->p = i->peek_buf;
1346         debug_printf("file_peek: got '%c' %d\n", ch, ch);
1347         return ch;
1348 }
1349
1350 static void setup_file_in_str(struct in_str *i, FILE *f)
1351 {
1352         i->peek = file_peek;
1353         i->get = file_get;
1354 #if ENABLE_HUSH_INTERACTIVE
1355         i->promptme = 1;
1356         i->promptmode = 0; /* PS1 */
1357 #endif
1358         i->file = f;
1359         i->p = NULL;
1360 }
1361
1362 static void setup_string_in_str(struct in_str *i, const char *s)
1363 {
1364         i->peek = static_peek;
1365         i->get = static_get;
1366 #if ENABLE_HUSH_INTERACTIVE
1367         i->promptme = 1;
1368         i->promptmode = 0; /* PS1 */
1369 #endif
1370         i->p = s;
1371         i->eof_flag = 0;
1372 }
1373
1374
1375 /*
1376  * o_string support
1377  */
1378 #define B_CHUNK  (32 * sizeof(char*))
1379
1380 static void o_reset(o_string *o)
1381 {
1382         o->length = 0;
1383         o->o_quoted = 0;
1384         if (o->data)
1385                 o->data[0] = '\0';
1386 }
1387
1388 static void o_free(o_string *o)
1389 {
1390         free(o->data);
1391         memset(o, 0, sizeof(*o));
1392 }
1393
1394 static ALWAYS_INLINE void o_free_unsafe(o_string *o)
1395 {
1396         free(o->data);
1397 }
1398
1399 static void o_grow_by(o_string *o, int len)
1400 {
1401         if (o->length + len > o->maxlen) {
1402                 o->maxlen += (2*len > B_CHUNK ? 2*len : B_CHUNK);
1403                 o->data = xrealloc(o->data, 1 + o->maxlen);
1404         }
1405 }
1406
1407 static void o_addchr(o_string *o, int ch)
1408 {
1409         debug_printf("o_addchr: '%c' o->length=%d o=%p\n", ch, o->length, o);
1410         o_grow_by(o, 1);
1411         o->data[o->length] = ch;
1412         o->length++;
1413         o->data[o->length] = '\0';
1414 }
1415
1416 static void o_addblock(o_string *o, const char *str, int len)
1417 {
1418         o_grow_by(o, len);
1419         memcpy(&o->data[o->length], str, len);
1420         o->length += len;
1421         o->data[o->length] = '\0';
1422 }
1423
1424 #if !BB_MMU
1425 static void o_addstr(o_string *o, const char *str)
1426 {
1427         o_addblock(o, str, strlen(str));
1428 }
1429 static void nommu_addchr(o_string *o, int ch)
1430 {
1431         if (o)
1432                 o_addchr(o, ch);
1433 }
1434 #else
1435 #define nommu_addchr(o, str) ((void)0)
1436 #endif
1437
1438 static void o_addstr_with_NUL(o_string *o, const char *str)
1439 {
1440         o_addblock(o, str, strlen(str) + 1);
1441 }
1442
1443 static void o_addblock_duplicate_backslash(o_string *o, const char *str, int len)
1444 {
1445         while (len) {
1446                 o_addchr(o, *str);
1447                 if (*str++ == '\\'
1448                  && (*str != '*' && *str != '?' && *str != '[')
1449                 ) {
1450                         o_addchr(o, '\\');
1451                 }
1452                 len--;
1453         }
1454 }
1455
1456 /* My analysis of quoting semantics tells me that state information
1457  * is associated with a destination, not a source.
1458  */
1459 static void o_addqchr(o_string *o, int ch)
1460 {
1461         int sz = 1;
1462         char *found = strchr("*?[\\", ch);
1463         if (found)
1464                 sz++;
1465         o_grow_by(o, sz);
1466         if (found) {
1467                 o->data[o->length] = '\\';
1468                 o->length++;
1469         }
1470         o->data[o->length] = ch;
1471         o->length++;
1472         o->data[o->length] = '\0';
1473 }
1474
1475 static void o_addQchr(o_string *o, int ch)
1476 {
1477         int sz = 1;
1478         if (o->o_escape && strchr("*?[\\", ch)) {
1479                 sz++;
1480                 o->data[o->length] = '\\';
1481                 o->length++;
1482         }
1483         o_grow_by(o, sz);
1484         o->data[o->length] = ch;
1485         o->length++;
1486         o->data[o->length] = '\0';
1487 }
1488
1489 static void o_addQstr(o_string *o, const char *str, int len)
1490 {
1491         if (!o->o_escape) {
1492                 o_addblock(o, str, len);
1493                 return;
1494         }
1495         while (len) {
1496                 char ch;
1497                 int sz;
1498                 int ordinary_cnt = strcspn(str, "*?[\\");
1499                 if (ordinary_cnt > len) /* paranoia */
1500                         ordinary_cnt = len;
1501                 o_addblock(o, str, ordinary_cnt);
1502                 if (ordinary_cnt == len)
1503                         return;
1504                 str += ordinary_cnt;
1505                 len -= ordinary_cnt + 1; /* we are processing + 1 char below */
1506
1507                 ch = *str++;
1508                 sz = 1;
1509                 if (ch) { /* it is necessarily one of "*?[\\" */
1510                         sz++;
1511                         o->data[o->length] = '\\';
1512                         o->length++;
1513                 }
1514                 o_grow_by(o, sz);
1515                 o->data[o->length] = ch;
1516                 o->length++;
1517                 o->data[o->length] = '\0';
1518         }
1519 }
1520
1521 /* A special kind of o_string for $VAR and `cmd` expansion.
1522  * It contains char* list[] at the beginning, which is grown in 16 element
1523  * increments. Actual string data starts at the next multiple of 16 * (char*).
1524  * list[i] contains an INDEX (int!) into this string data.
1525  * It means that if list[] needs to grow, data needs to be moved higher up
1526  * but list[i]'s need not be modified.
1527  * NB: remembering how many list[i]'s you have there is crucial.
1528  * o_finalize_list() operation post-processes this structure - calculates
1529  * and stores actual char* ptrs in list[]. Oh, it NULL terminates it as well.
1530  */
1531 #if DEBUG_EXPAND || DEBUG_GLOB
1532 static void debug_print_list(const char *prefix, o_string *o, int n)
1533 {
1534         char **list = (char**)o->data;
1535         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1536         int i = 0;
1537         fprintf(stderr, "%s: list:%p n:%d string_start:%d length:%d maxlen:%d\n",
1538                         prefix, list, n, string_start, o->length, o->maxlen);
1539         while (i < n) {
1540                 fprintf(stderr, " list[%d]=%d '%s' %p\n", i, (int)list[i],
1541                                 o->data + (int)list[i] + string_start,
1542                                 o->data + (int)list[i] + string_start);
1543                 i++;
1544         }
1545         if (n) {
1546                 const char *p = o->data + (int)list[n - 1] + string_start;
1547                 fprintf(stderr, " total_sz:%ld\n", (long)((p + strlen(p) + 1) - o->data));
1548         }
1549 }
1550 #else
1551 #define debug_print_list(prefix, o, n) ((void)0)
1552 #endif
1553
1554 /* n = o_save_ptr_helper(str, n) "starts new string" by storing an index value
1555  * in list[n] so that it points past last stored byte so far.
1556  * It returns n+1. */
1557 static int o_save_ptr_helper(o_string *o, int n)
1558 {
1559         char **list = (char**)o->data;
1560         int string_start;
1561         int string_len;
1562
1563         if (!o->has_empty_slot) {
1564                 string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1565                 string_len = o->length - string_start;
1566                 if (!(n & 0xf)) { /* 0, 0x10, 0x20...? */
1567                         debug_printf_list("list[%d]=%d string_start=%d (growing)\n", n, string_len, string_start);
1568                         /* list[n] points to string_start, make space for 16 more pointers */
1569                         o->maxlen += 0x10 * sizeof(list[0]);
1570                         o->data = xrealloc(o->data, o->maxlen + 1);
1571                         list = (char**)o->data;
1572                         memmove(list + n + 0x10, list + n, string_len);
1573                         o->length += 0x10 * sizeof(list[0]);
1574                 } else {
1575                         debug_printf_list("list[%d]=%d string_start=%d\n",
1576                                         n, string_len, string_start);
1577                 }
1578         } else {
1579                 /* We have empty slot at list[n], reuse without growth */
1580                 string_start = ((n+1 + 0xf) & ~0xf) * sizeof(list[0]); /* NB: n+1! */
1581                 string_len = o->length - string_start;
1582                 debug_printf_list("list[%d]=%d string_start=%d (empty slot)\n",
1583                                 n, string_len, string_start);
1584                 o->has_empty_slot = 0;
1585         }
1586         list[n] = (char*)(ptrdiff_t)string_len;
1587         return n + 1;
1588 }
1589
1590 /* "What was our last o_save_ptr'ed position (byte offset relative o->data)?" */
1591 static int o_get_last_ptr(o_string *o, int n)
1592 {
1593         char **list = (char**)o->data;
1594         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1595
1596         return ((int)(ptrdiff_t)list[n-1]) + string_start;
1597 }
1598
1599 /* o_glob performs globbing on last list[], saving each result
1600  * as a new list[]. */
1601 static int o_glob(o_string *o, int n)
1602 {
1603         glob_t globdata;
1604         int gr;
1605         char *pattern;
1606
1607         debug_printf_glob("start o_glob: n:%d o->data:%p\n", n, o->data);
1608         if (!o->data)
1609                 return o_save_ptr_helper(o, n);
1610         pattern = o->data + o_get_last_ptr(o, n);
1611         debug_printf_glob("glob pattern '%s'\n", pattern);
1612         if (!glob_needed(pattern)) {
1613  literal:
1614                 o->length = unbackslash(pattern) - o->data;
1615                 debug_printf_glob("glob pattern '%s' is literal\n", pattern);
1616                 return o_save_ptr_helper(o, n);
1617         }
1618
1619         memset(&globdata, 0, sizeof(globdata));
1620         gr = glob(pattern, 0, NULL, &globdata);
1621         debug_printf_glob("glob('%s'):%d\n", pattern, gr);
1622         if (gr == GLOB_NOSPACE)
1623                 bb_error_msg_and_die("out of memory during glob");
1624         if (gr == GLOB_NOMATCH) {
1625                 globfree(&globdata);
1626                 goto literal;
1627         }
1628         if (gr != 0) { /* GLOB_ABORTED ? */
1629 //TODO: testcase for bad glob pattern behavior
1630                 bb_error_msg("glob(3) error %d on '%s'", gr, pattern);
1631         }
1632         if (globdata.gl_pathv && globdata.gl_pathv[0]) {
1633                 char **argv = globdata.gl_pathv;
1634                 o->length = pattern - o->data; /* "forget" pattern */
1635                 while (1) {
1636                         o_addstr_with_NUL(o, *argv);
1637                         n = o_save_ptr_helper(o, n);
1638                         argv++;
1639                         if (!*argv)
1640                                 break;
1641                 }
1642         }
1643         globfree(&globdata);
1644         if (DEBUG_GLOB)
1645                 debug_print_list("o_glob returning", o, n);
1646         return n;
1647 }
1648
1649 /* If o->o_glob == 1, glob the string so far remembered.
1650  * Otherwise, just finish current list[] and start new */
1651 static int o_save_ptr(o_string *o, int n)
1652 {
1653         if (o->o_glob) { /* if globbing is requested */
1654                 /* If o->has_empty_slot, list[n] was already globbed
1655                  * (if it was requested back then when it was filled)
1656                  * so don't do that again! */
1657                 if (!o->has_empty_slot)
1658                         return o_glob(o, n); /* o_save_ptr_helper is inside */
1659         }
1660         return o_save_ptr_helper(o, n);
1661 }
1662
1663 /* "Please convert list[n] to real char* ptrs, and NULL terminate it." */
1664 static char **o_finalize_list(o_string *o, int n)
1665 {
1666         char **list;
1667         int string_start;
1668
1669         n = o_save_ptr(o, n); /* force growth for list[n] if necessary */
1670         if (DEBUG_EXPAND)
1671                 debug_print_list("finalized", o, n);
1672         debug_printf_expand("finalized n:%d\n", n);
1673         list = (char**)o->data;
1674         string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1675         list[--n] = NULL;
1676         while (n) {
1677                 n--;
1678                 list[n] = o->data + (int)(ptrdiff_t)list[n] + string_start;
1679         }
1680         return list;
1681 }
1682
1683
1684 /* Expansion can recurse */
1685 #if ENABLE_HUSH_TICK
1686 static int process_command_subs(o_string *dest, const char *s);
1687 #endif
1688 static char *expand_string_to_string(const char *str);
1689 #if BB_MMU
1690 #define parse_stream_dquoted(as_string, dest, input, dquote_end) \
1691         parse_stream_dquoted(dest, input, dquote_end)
1692 #endif
1693 static int parse_stream_dquoted(o_string *as_string,
1694                 o_string *dest,
1695                 struct in_str *input,
1696                 int dquote_end);
1697
1698 /* expand_strvec_to_strvec() takes a list of strings, expands
1699  * all variable references within and returns a pointer to
1700  * a list of expanded strings, possibly with larger number
1701  * of strings. (Think VAR="a b"; echo $VAR).
1702  * This new list is allocated as a single malloc block.
1703  * NULL-terminated list of char* pointers is at the beginning of it,
1704  * followed by strings themself.
1705  * Caller can deallocate entire list by single free(list). */
1706
1707 /* Store given string, finalizing the word and starting new one whenever
1708  * we encounter IFS char(s). This is used for expanding variable values.
1709  * End-of-string does NOT finalize word: think about 'echo -$VAR-' */
1710 static int expand_on_ifs(o_string *output, int n, const char *str)
1711 {
1712         while (1) {
1713                 int word_len = strcspn(str, G.ifs);
1714                 if (word_len) {
1715                         if (output->o_escape || !output->o_glob)
1716                                 o_addQstr(output, str, word_len);
1717                         else /* protect backslashes against globbing up :) */
1718                                 o_addblock_duplicate_backslash(output, str, word_len);
1719                         str += word_len;
1720                 }
1721                 if (!*str)  /* EOL - do not finalize word */
1722                         break;
1723                 o_addchr(output, '\0');
1724                 debug_print_list("expand_on_ifs", output, n);
1725                 n = o_save_ptr(output, n);
1726                 str += strspn(str, G.ifs); /* skip ifs chars */
1727         }
1728         debug_print_list("expand_on_ifs[1]", output, n);
1729         return n;
1730 }
1731
1732 /* Helper to expand $((...)) and heredoc body. These act as if
1733  * they are in double quotes, with the exception that they are not :).
1734  * Just the rules are similar: "expand only $var and `cmd`"
1735  *
1736  * Returns malloced string.
1737  * As an optimization, we return NULL if expansion is not needed.
1738  */
1739 static char *expand_pseudo_dquoted(const char *str)
1740 {
1741         char *exp_str;
1742         struct in_str input;
1743         o_string dest = NULL_O_STRING;
1744
1745         if (strchr(str, '$') == NULL
1746 #if ENABLE_HUSH_TICK
1747          && strchr(str, '`') == NULL
1748 #endif
1749         ) {
1750                 return NULL;
1751         }
1752
1753         /* We need to expand. Example:
1754          * echo $(($a + `echo 1`)) $((1 + $((2)) ))
1755          */
1756         setup_string_in_str(&input, str);
1757         parse_stream_dquoted(NULL, &dest, &input, EOF);
1758         //bb_error_msg("'%s' -> '%s'", str, dest.data);
1759         exp_str = expand_string_to_string(dest.data);
1760         //bb_error_msg("'%s' -> '%s'", dest.data, exp_str);
1761         o_free_unsafe(&dest);
1762         return exp_str;
1763 }
1764
1765 /* Expand all variable references in given string, adding words to list[]
1766  * at n, n+1,... positions. Return updated n (so that list[n] is next one
1767  * to be filled). This routine is extremely tricky: has to deal with
1768  * variables/parameters with whitespace, $* and $@, and constructs like
1769  * 'echo -$*-'. If you play here, you must run testsuite afterwards! */
1770 static int expand_vars_to_list(o_string *output, int n, char *arg, char or_mask)
1771 {
1772         /* or_mask is either 0 (normal case) or 0x80
1773          * (expansion of right-hand side of assignment == 1-element expand.
1774          * It will also do no globbing, and thus we must not backslash-quote!) */
1775
1776         char first_ch, ored_ch;
1777         int i;
1778         const char *val;
1779         char *dyn_val, *p;
1780
1781         dyn_val = NULL;
1782         ored_ch = 0;
1783
1784         debug_printf_expand("expand_vars_to_list: arg '%s'\n", arg);
1785         debug_print_list("expand_vars_to_list", output, n);
1786         n = o_save_ptr(output, n);
1787         debug_print_list("expand_vars_to_list[0]", output, n);
1788
1789         while ((p = strchr(arg, SPECIAL_VAR_SYMBOL)) != NULL) {
1790 #if ENABLE_HUSH_TICK
1791                 o_string subst_result = NULL_O_STRING;
1792 #endif
1793 #if ENABLE_SH_MATH_SUPPORT
1794                 char arith_buf[sizeof(arith_t)*3 + 2];
1795 #endif
1796                 o_addblock(output, arg, p - arg);
1797                 debug_print_list("expand_vars_to_list[1]", output, n);
1798                 arg = ++p;
1799                 p = strchr(p, SPECIAL_VAR_SYMBOL);
1800
1801                 first_ch = arg[0] | or_mask; /* forced to "quoted" if or_mask = 0x80 */
1802                 /* "$@" is special. Even if quoted, it can still
1803                  * expand to nothing (not even an empty string) */
1804                 if ((first_ch & 0x7f) != '@')
1805                         ored_ch |= first_ch;
1806
1807                 val = NULL;
1808                 switch (first_ch & 0x7f) {
1809                 /* Highest bit in first_ch indicates that var is double-quoted */
1810                 case '$': /* pid */
1811                         val = utoa(G.root_pid);
1812                         break;
1813                 case '!': /* bg pid */
1814                         val = G.last_bg_pid ? utoa(G.last_bg_pid) : (char*)"";
1815                         break;
1816                 case '?': /* exitcode */
1817                         val = utoa(G.last_exitcode);
1818                         break;
1819                 case '#': /* argc */
1820                         if (arg[1] != SPECIAL_VAR_SYMBOL)
1821                                 /* actually, it's a ${#var} */
1822                                 goto case_default;
1823                         val = utoa(G.global_argc ? G.global_argc-1 : 0);
1824                         break;
1825                 case '*':
1826                 case '@':
1827                         i = 1;
1828                         if (!G.global_argv[i])
1829                                 break;
1830                         ored_ch |= first_ch; /* do it for "$@" _now_, when we know it's not empty */
1831                         if (!(first_ch & 0x80)) { /* unquoted $* or $@ */
1832                                 smallint sv = output->o_escape;
1833                                 /* unquoted var's contents should be globbed, so don't escape */
1834                                 output->o_escape = 0;
1835                                 while (G.global_argv[i]) {
1836                                         n = expand_on_ifs(output, n, G.global_argv[i]);
1837                                         debug_printf_expand("expand_vars_to_list: argv %d (last %d)\n", i, G.global_argc - 1);
1838                                         if (G.global_argv[i++][0] && G.global_argv[i]) {
1839                                                 /* this argv[] is not empty and not last:
1840                                                  * put terminating NUL, start new word */
1841                                                 o_addchr(output, '\0');
1842                                                 debug_print_list("expand_vars_to_list[2]", output, n);
1843                                                 n = o_save_ptr(output, n);
1844                                                 debug_print_list("expand_vars_to_list[3]", output, n);
1845                                         }
1846                                 }
1847                                 output->o_escape = sv;
1848                         } else
1849                         /* If or_mask is nonzero, we handle assignment 'a=....$@.....'
1850                          * and in this case should treat it like '$*' - see 'else...' below */
1851                         if (first_ch == ('@'|0x80) && !or_mask) { /* quoted $@ */
1852                                 while (1) {
1853                                         o_addQstr(output, G.global_argv[i], strlen(G.global_argv[i]));
1854                                         if (++i >= G.global_argc)
1855                                                 break;
1856                                         o_addchr(output, '\0');
1857                                         debug_print_list("expand_vars_to_list[4]", output, n);
1858                                         n = o_save_ptr(output, n);
1859                                 }
1860                         } else { /* quoted $*: add as one word */
1861                                 while (1) {
1862                                         o_addQstr(output, G.global_argv[i], strlen(G.global_argv[i]));
1863                                         if (!G.global_argv[++i])
1864                                                 break;
1865                                         if (G.ifs[0])
1866                                                 o_addchr(output, G.ifs[0]);
1867                                 }
1868                         }
1869                         break;
1870                 case SPECIAL_VAR_SYMBOL: /* <SPECIAL_VAR_SYMBOL><SPECIAL_VAR_SYMBOL> */
1871                         /* "Empty variable", used to make "" etc to not disappear */
1872                         arg++;
1873                         ored_ch = 0x80;
1874                         break;
1875 #if ENABLE_HUSH_TICK
1876                 case '`': /* <SPECIAL_VAR_SYMBOL>`cmd<SPECIAL_VAR_SYMBOL> */
1877                         *p = '\0';
1878                         arg++;
1879 //TODO: can we just stuff it into "output" directly?
1880                         debug_printf_subst("SUBST '%s' first_ch %x\n", arg, first_ch);
1881                         process_command_subs(&subst_result, arg);
1882                         debug_printf_subst("SUBST RES '%s'\n", subst_result.data);
1883                         val = subst_result.data;
1884                         goto store_val;
1885 #endif
1886 #if ENABLE_SH_MATH_SUPPORT
1887                 case '+': { /* <SPECIAL_VAR_SYMBOL>+cmd<SPECIAL_VAR_SYMBOL> */
1888                         arith_eval_hooks_t hooks;
1889                         arith_t res;
1890                         int errcode;
1891                         char *exp_str;
1892
1893                         arg++; /* skip '+' */
1894                         *p = '\0'; /* replace trailing <SPECIAL_VAR_SYMBOL> */
1895                         debug_printf_subst("ARITH '%s' first_ch %x\n", arg, first_ch);
1896
1897                         exp_str = expand_pseudo_dquoted(arg);
1898                         hooks.lookupvar = get_local_var_value;
1899                         hooks.setvar = arith_set_local_var;
1900                         hooks.endofname = endofname;
1901                         res = arith(exp_str ? exp_str : arg, &errcode, &hooks);
1902                         free(exp_str);
1903
1904                         if (errcode < 0) {
1905                                 switch (errcode) {
1906                                 case -3: maybe_die("arith", "exponent less than 0"); break;
1907                                 case -2: maybe_die("arith", "divide by zero"); break;
1908                                 case -5: maybe_die("arith", "expression recursion loop detected"); break;
1909                                 default: maybe_die("arith", "syntax error"); break;
1910                                 }
1911                         }
1912                         debug_printf_subst("ARITH RES '"arith_t_fmt"'\n", res);
1913                         sprintf(arith_buf, arith_t_fmt, res);
1914                         val = arith_buf;
1915                         break;
1916                 }
1917 #endif
1918                 default: /* <SPECIAL_VAR_SYMBOL>varname<SPECIAL_VAR_SYMBOL> */
1919                 case_default: {
1920                         bool exp_len = false;
1921                         bool exp_null = false;
1922                         char *var = arg;
1923                         char exp_save = exp_save; /* for compiler */
1924                         char exp_op = exp_op; /* for compiler */
1925                         char *exp_word = exp_word; /* for compiler */
1926                         size_t exp_off = 0;
1927
1928                         *p = '\0';
1929                         arg[0] = first_ch & 0x7f;
1930
1931                         /* prepare for expansions */
1932                         if (var[0] == '#') {
1933                                 /* handle length expansion ${#var} */
1934                                 exp_len = true;
1935                                 ++var;
1936                         } else {
1937                                 /* maybe handle parameter expansion */
1938                                 exp_off = strcspn(var, ":-=+?%#");
1939                                 if (!var[exp_off])
1940                                         exp_off = 0;
1941                                 if (exp_off) {
1942                                         exp_save = var[exp_off];
1943                                         exp_null = exp_save == ':';
1944                                         exp_word = var + exp_off;
1945                                         if (exp_null) ++exp_word;
1946                                         exp_op = *exp_word++;
1947                                         var[exp_off] = '\0';
1948                                 }
1949                         }
1950
1951                         /* lookup the variable in question */
1952                         if (isdigit(var[0])) {
1953                                 /* handle_dollar() should have vetted var for us */
1954                                 i = xatoi_u(var);
1955                                 if (i < G.global_argc)
1956                                         val = G.global_argv[i];
1957                                 /* else val remains NULL: $N with too big N */
1958                         } else
1959                                 val = get_local_var_value(var);
1960
1961                         /* handle any expansions */
1962                         if (exp_len) {
1963                                 debug_printf_expand("expand: length of '%s' = ", val);
1964                                 val = utoa(val ? strlen(val) : 0);
1965                                 debug_printf_expand("%s\n", val);
1966                         } else if (exp_off) {
1967                                 if (exp_op == '%' || exp_op == '#') {
1968                                         /* we need to do a pattern match */
1969                                         bool zero;
1970                                         char *loc;
1971                                         scan_t scan = pick_scan(exp_op, *exp_word, &zero);
1972                                         if (exp_op == *exp_word)        /* ## or %% */
1973                                                 ++exp_word;
1974                                         val = dyn_val = xstrdup(val);
1975                                         loc = scan(dyn_val, exp_word, zero);
1976                                         if (zero)
1977                                                 val = loc;
1978                                         else
1979                                                 *loc = '\0';
1980                                 } else {
1981                                         /* we need to do an expansion */
1982                                         int exp_test = (!val || (exp_null && !val[0]));
1983                                         if (exp_op == '+')
1984                                                 exp_test = !exp_test;
1985                                         debug_printf_expand("expand: op:%c (null:%s) test:%i\n", exp_op,
1986                                                 exp_null ? "true" : "false", exp_test);
1987                                         if (exp_test) {
1988                                                 if (exp_op == '?')
1989                                                         maybe_die(var, *exp_word ? exp_word : "parameter null or not set");
1990                                                 else
1991                                                         val = exp_word;
1992
1993                                                 if (exp_op == '=') {
1994                                                         if (isdigit(var[0]) || var[0] == '#') {
1995                                                                 maybe_die(var, "special vars cannot assign in this way");
1996                                                                 val = NULL;
1997                                                         } else {
1998                                                                 char *new_var = xmalloc(strlen(var) + strlen(val) + 2);
1999                                                                 sprintf(new_var, "%s=%s", var, val);
2000                                                                 set_local_var(new_var, -1, 0);
2001                                                         }
2002                                                 }
2003                                         }
2004                                 }
2005
2006                                 var[exp_off] = exp_save;
2007                         }
2008
2009                         arg[0] = first_ch;
2010 #if ENABLE_HUSH_TICK
2011  store_val:
2012 #endif
2013                         if (!(first_ch & 0x80)) { /* unquoted $VAR */
2014                                 debug_printf_expand("unquoted '%s', output->o_escape:%d\n", val, output->o_escape);
2015                                 if (val) {
2016                                         /* unquoted var's contents should be globbed, so don't escape */
2017                                         smallint sv = output->o_escape;
2018                                         output->o_escape = 0;
2019                                         n = expand_on_ifs(output, n, val);
2020                                         val = NULL;
2021                                         output->o_escape = sv;
2022                                 }
2023                         } else { /* quoted $VAR, val will be appended below */
2024                                 debug_printf_expand("quoted '%s', output->o_escape:%d\n", val, output->o_escape);
2025                         }
2026                 } /* default: */
2027                 } /* switch (char after <SPECIAL_VAR_SYMBOL>) */
2028                 if (val) {
2029                         o_addQstr(output, val, strlen(val));
2030                 }
2031                 free(dyn_val);
2032                 dyn_val = NULL;
2033                 /* Do the check to avoid writing to a const string */
2034                 if (*p != SPECIAL_VAR_SYMBOL)
2035                         *p = SPECIAL_VAR_SYMBOL;
2036
2037 #if ENABLE_HUSH_TICK
2038                 o_free(&subst_result);
2039 #endif
2040                 arg = ++p;
2041         } /* end of "while (SPECIAL_VAR_SYMBOL is found) ..." */
2042
2043         if (arg[0]) {
2044                 debug_print_list("expand_vars_to_list[a]", output, n);
2045                 /* this part is literal, and it was already pre-quoted
2046                  * if needed (much earlier), do not use o_addQstr here! */
2047                 o_addstr_with_NUL(output, arg);
2048                 debug_print_list("expand_vars_to_list[b]", output, n);
2049         } else if (output->length == o_get_last_ptr(output, n) /* expansion is empty */
2050          && !(ored_ch & 0x80) /* and all vars were not quoted. */
2051         ) {
2052                 n--;
2053                 /* allow to reuse list[n] later without re-growth */
2054                 output->has_empty_slot = 1;
2055         } else {
2056                 o_addchr(output, '\0');
2057         }
2058         return n;
2059 }
2060
2061 static char **expand_variables(char **argv, int or_mask)
2062 {
2063         int n;
2064         char **list;
2065         char **v;
2066         o_string output = NULL_O_STRING;
2067
2068         if (or_mask & 0x100) {
2069                 output.o_escape = 1; /* protect against globbing for "$var" */
2070                 /* (unquoted $var will temporarily switch it off) */
2071                 output.o_glob = 1;
2072         }
2073
2074         n = 0;
2075         v = argv;
2076         while (*v) {
2077                 n = expand_vars_to_list(&output, n, *v, (char)or_mask);
2078                 v++;
2079         }
2080         debug_print_list("expand_variables", &output, n);
2081
2082         /* output.data (malloced in one block) gets returned in "list" */
2083         list = o_finalize_list(&output, n);
2084         debug_print_strings("expand_variables[1]", list);
2085         return list;
2086 }
2087
2088 static char **expand_strvec_to_strvec(char **argv)
2089 {
2090         return expand_variables(argv, 0x100);
2091 }
2092
2093 /* Used for expansion of right hand of assignments */
2094 /* NB: should NOT do globbing! "export v=/bin/c*; env | grep ^v=" outputs
2095  * "v=/bin/c*" */
2096 static char *expand_string_to_string(const char *str)
2097 {
2098         char *argv[2], **list;
2099
2100         argv[0] = (char*)str;
2101         argv[1] = NULL;
2102         list = expand_variables(argv, 0x80); /* 0x80: make one-element expansion */
2103         if (HUSH_DEBUG)
2104                 if (!list[0] || list[1])
2105                         bb_error_msg_and_die("BUG in varexp2");
2106         /* actually, just move string 2*sizeof(char*) bytes back */
2107         overlapping_strcpy((char*)list, list[0]);
2108         debug_printf_expand("string_to_string='%s'\n", (char*)list);
2109         return (char*)list;
2110 }
2111
2112 /* Used for "eval" builtin */
2113 static char* expand_strvec_to_string(char **argv)
2114 {
2115         char **list;
2116
2117         list = expand_variables(argv, 0x80);
2118         /* Convert all NULs to spaces */
2119         if (list[0]) {
2120                 int n = 1;
2121                 while (list[n]) {
2122                         if (HUSH_DEBUG)
2123                                 if (list[n-1] + strlen(list[n-1]) + 1 != list[n])
2124                                         bb_error_msg_and_die("BUG in varexp3");
2125                         list[n][-1] = ' '; /* TODO: or to G.ifs[0]? */
2126                         n++;
2127                 }
2128         }
2129         overlapping_strcpy((char*)list, list[0]);
2130         debug_printf_expand("strvec_to_string='%s'\n", (char*)list);
2131         return (char*)list;
2132 }
2133
2134 static char **expand_assignments(char **argv, int count)
2135 {
2136         int i;
2137         char **p = NULL;
2138         /* Expand assignments into one string each */
2139         for (i = 0; i < count; i++) {
2140                 p = add_string_to_strings(p, expand_string_to_string(argv[i]));
2141         }
2142         return p;
2143 }
2144
2145
2146 #if BB_MMU
2147 void re_execute_shell(const char *s, int is_heredoc); /* never called */
2148 #define clean_up_after_re_execute() ((void)0)
2149 static void reset_traps_to_defaults(void)
2150 {
2151         unsigned sig;
2152         int dirty;
2153
2154         if (!G.traps)
2155                 return;
2156         dirty = 0;
2157         for (sig = 0; sig < NSIG; sig++) {
2158                 if (!G.traps[sig])
2159                         continue;
2160                 free(G.traps[sig]);
2161                 G.traps[sig] = NULL;
2162                 /* There is no signal for 0 (EXIT) */
2163                 if (sig == 0)
2164                         continue;
2165                 /* there was a trap handler, we are removing it
2166                  * (if sig has non-DFL handling,
2167                  * we don't need to do anything) */
2168                 if (sig < 32 && (G.non_DFL_mask & (1 << sig)))
2169                         continue;
2170                 sigdelset(&G.blocked_set, sig);
2171                 dirty = 1;
2172         }
2173         if (dirty)
2174                 sigprocmask(SIG_SETMASK, &G.blocked_set, NULL);
2175 }
2176
2177 #else /* !BB_MMU */
2178
2179 static void re_execute_shell(const char *s, int is_heredoc) NORETURN;
2180 static void re_execute_shell(const char *s, int is_heredoc)
2181 {
2182         char param_buf[sizeof("-$%x:%x:%x:%x") + sizeof(unsigned) * 4];
2183         struct variable *cur;
2184         char **argv, **pp, **pp2;
2185         unsigned cnt;
2186
2187         sprintf(param_buf, "-$%x:%x:%x" USE_HUSH_LOOPS(":%x")
2188                         , (unsigned) G.root_pid
2189                         , (unsigned) G.last_bg_pid
2190                         , (unsigned) G.last_exitcode
2191                         USE_HUSH_LOOPS(, G.depth_of_loop)
2192                         );
2193         /* 1:hush 2:-$<pid>:<pid>:<exitcode>:<depth> <vars...>
2194          * 3:-c 4:<cmd> <argN...> 5:NULL
2195          */
2196         cnt = 5 + G.global_argc;
2197         for (cur = G.top_var; cur; cur = cur->next) {
2198                 if (!cur->flg_export || cur->flg_read_only)
2199                         cnt += 2;
2200         }
2201         G.argv_from_re_execing = pp = xzalloc(sizeof(argv[0]) * cnt);
2202         *pp++ = (char *) G.argv0_for_re_execing;
2203         *pp++ = param_buf;
2204         for (cur = G.top_var; cur; cur = cur->next) {
2205                 if (cur->varstr == hush_version_str)
2206                         continue;
2207                 if (cur->flg_read_only) {
2208                         *pp++ = (char *) "-R";
2209                         *pp++ = cur->varstr;
2210                 } else if (!cur->flg_export) {
2211                         *pp++ = (char *) "-V";
2212                         *pp++ = cur->varstr;
2213                 }
2214         }
2215 //TODO: pass functions
2216         /* We can pass activated traps here. Say, -Tnn:trap_string
2217          *
2218          * However, POSIX says that subshells reset signals with traps
2219          * to SIG_DFL.
2220          * I tested bash-3.2 and it not only does that with true subshells
2221          * of the form ( list ), but with any forked children shells.
2222          * I set trap "echo W" WINCH; and then tried:
2223          *
2224          * { echo 1; sleep 20; echo 2; } &
2225          * while true; do echo 1; sleep 20; echo 2; break; done &
2226          * true | { echo 1; sleep 20; echo 2; } | cat
2227          *
2228          * In all these cases sending SIGWINCH to the child shell
2229          * did not run the trap. If I add trap "echo V" WINCH;
2230          * _inside_ group (just before echo 1), it works.
2231          *
2232          * I conclude it means we don't need to pass active traps here.
2233          * exec syscall below resets them to SIG_DFL for us.
2234          */
2235         *pp++ = (char *) (is_heredoc ? "-<" : "-c");
2236         *pp++ = (char *) s;
2237         pp2 = G.global_argv;
2238         while (*pp2)
2239                 *pp++ = *pp2++;
2240         /* *pp = NULL; - is already there */
2241
2242         debug_printf_exec("re_execute_shell pid:%d cmd:'%s'\n", getpid(), s);
2243         sigprocmask(SIG_SETMASK, &G.inherited_set, NULL);
2244         execv(bb_busybox_exec_path, G.argv_from_re_execing);
2245         /* Fallback. Useful for init=/bin/hush usage etc */
2246         if (G.argv0_for_re_execing[0] == '/')
2247                 execv(G.argv0_for_re_execing, G.argv_from_re_execing);
2248         xfunc_error_retval = 127;
2249         bb_error_msg_and_die("can't re-execute the shell");
2250 }
2251
2252 static void clean_up_after_re_execute(void)
2253 {
2254         char **pp = G.argv_from_re_execing;
2255         if (pp) {
2256                 /* Must match re_execute_shell's allocations (if any) */
2257                 free(pp);
2258                 G.argv_from_re_execing = NULL;
2259         }
2260 }
2261 #endif  /* !BB_MMU */
2262
2263
2264 static void setup_heredoc(struct redir_struct *redir)
2265 {
2266         struct fd_pair pair;
2267         pid_t pid;
2268         int len, written;
2269         /* the _body_ of heredoc (misleading field name) */
2270         const char *heredoc = redir->rd_filename;
2271         char *expanded;
2272
2273         expanded = NULL;
2274         if (!(redir->rd_dup & HEREDOC_QUOTED)) {
2275                 expanded = expand_pseudo_dquoted(heredoc);
2276                 if (expanded)
2277                         heredoc = expanded;
2278         }
2279         len = strlen(heredoc);
2280
2281         xpiped_pair(pair);
2282         xmove_fd(pair.rd, redir->rd_fd);
2283
2284         /* Try writing without forking. Newer kernels have
2285          * dynamically growing pipes. Must use non-blocking write! */
2286         ndelay_on(pair.wr);
2287         while (1) {
2288                 written = write(pair.wr, heredoc, len);
2289                 if (written <= 0)
2290                         break;
2291                 len -= written;
2292                 if (len == 0) {
2293                         close(pair.wr);
2294                         return;
2295                 }
2296                 heredoc += written;
2297         }
2298         ndelay_off(pair.wr);
2299
2300         /* Okay, pipe buffer was not big enough */
2301         /* Note: we must not create a stray child (bastard? :)
2302          * for the unsuspecting parent process. Child creates a grandchild
2303          * and exits before parent execs the process which consumes heredoc
2304          * (that exec happens after we return from this function) */
2305         pid = vfork();
2306         if (pid < 0)
2307                 bb_perror_msg_and_die("vfork");
2308         if (pid == 0) {
2309                 /* child */
2310                 pid = BB_MMU ? fork() : vfork();
2311                 if (pid < 0)
2312                         bb_perror_msg_and_die(BB_MMU ? "fork" : "vfork");
2313                 if (pid != 0)
2314                         _exit(0);
2315                 /* grandchild */
2316                 close(redir->rd_fd); /* read side of the pipe */
2317 #if BB_MMU
2318                 full_write(pair.wr, heredoc, len); /* may loop or block */
2319                 _exit(0);
2320 #else
2321                 /* Delegate blocking writes to another process */
2322                 disable_restore_tty_pgrp_on_exit();
2323                 xmove_fd(pair.wr, STDOUT_FILENO);
2324                 re_execute_shell(heredoc, 1);
2325 #endif
2326         }
2327         /* parent */
2328         enable_restore_tty_pgrp_on_exit();
2329         clean_up_after_re_execute();
2330         close(pair.wr);
2331         free(expanded);
2332         wait(NULL); /* wait till child has died */
2333 }
2334
2335 /* squirrel != NULL means we squirrel away copies of stdin, stdout,
2336  * and stderr if they are redirected. */
2337 static int setup_redirects(struct command *prog, int squirrel[])
2338 {
2339 //TODO: no callers ever check return value - ?!
2340         int openfd, mode;
2341         struct redir_struct *redir;
2342
2343         for (redir = prog->redirects; redir; redir = redir->next) {
2344                 if (redir->rd_type == REDIRECT_HEREDOC2) {
2345                         if (squirrel && redir->rd_fd < 3) {
2346                                 squirrel[redir->rd_fd] = dup(redir->rd_fd);
2347                         }
2348                         /* for REDIRECT_HEREDOC2, rd_filename holds _contents_
2349                          * of the heredoc */
2350                         debug_printf_parse("set heredoc '%s'\n",
2351                                         redir->rd_filename);
2352                         setup_heredoc(redir);
2353                         continue;
2354                 }
2355
2356                 if (redir->rd_dup == -1) {
2357                         char *p;
2358                         if (redir->rd_filename == NULL) {
2359                                 /* Something went wrong in the parse.
2360                                  * Pretend it didn't happen */
2361                                 continue;
2362                         }
2363                         mode = redir_table[redir->rd_type].mode;
2364 //TODO: check redir for names like '\\'
2365                         p = expand_string_to_string(redir->rd_filename);
2366                         openfd = open_or_warn(p, mode);
2367                         free(p);
2368                         if (openfd < 0) {
2369                         /* this could get lost if stderr has been redirected, but
2370                          * bash and ash both lose it as well (though zsh doesn't!) */
2371 //what the above comment tries to say?
2372                                 return 1;
2373                         }
2374                 } else {
2375                         openfd = redir->rd_dup;
2376                 }
2377
2378                 if (openfd != redir->rd_fd) {
2379                         if (squirrel && redir->rd_fd < 3) {
2380                                 squirrel[redir->rd_fd] = dup(redir->rd_fd);
2381                         }
2382                         if (openfd == REDIRFD_CLOSE) {
2383                                 /* "n>-" means "close me" */
2384                                 close(redir->rd_fd);
2385                         } else {
2386                                 xdup2(openfd, redir->rd_fd);
2387                                 if (redir->rd_dup == -1)
2388                                         close(openfd);
2389                         }
2390                 }
2391         }
2392         return 0;
2393 }
2394
2395 static void restore_redirects(int squirrel[])
2396 {
2397         int i, fd;
2398         for (i = 0; i < 3; i++) {
2399                 fd = squirrel[i];
2400                 if (fd != -1) {
2401                         /* We simply die on error */
2402                         xmove_fd(fd, i);
2403                 }
2404         }
2405 }
2406
2407
2408 #if !DEBUG_CLEAN
2409 #define free_pipe_list(head, indent) free_pipe_list(head)
2410 #define free_pipe(pi, indent)        free_pipe(pi)
2411 #endif
2412 static void free_pipe_list(struct pipe *head, int indent);
2413
2414 /* Return code is the exit status of the pipe */
2415 static void free_pipe(struct pipe *pi, int indent)
2416 {
2417         char **p;
2418         struct command *command;
2419         struct redir_struct *r, *rnext;
2420         int a, i;
2421
2422         if (pi->stopped_cmds > 0) /* why? */
2423                 return;
2424         debug_printf_clean("%s run pipe: (pid %d)\n", indenter(indent), getpid());
2425         for (i = 0; i < pi->num_cmds; i++) {
2426                 command = &pi->cmds[i];
2427                 debug_printf_clean("%s  command %d:\n", indenter(indent), i);
2428                 if (command->argv) {
2429                         for (a = 0, p = command->argv; *p; a++, p++) {
2430                                 debug_printf_clean("%s   argv[%d] = %s\n",
2431                                                 indenter(indent), a, *p);
2432                         }
2433                         free_strings(command->argv);
2434                         command->argv = NULL;
2435                 }
2436                 /* not "else if": on syntax error, we may have both! */
2437                 if (command->group) {
2438                         debug_printf_clean("%s   begin group (grp_type:%d)\n",
2439                                         indenter(indent), command->grp_type);
2440                         free_pipe_list(command->group, indent+3);
2441                         debug_printf_clean("%s   end group\n", indenter(indent));
2442                         command->group = NULL;
2443                 }
2444 #if !BB_MMU
2445                 free(command->group_as_string);
2446                 command->group_as_string = NULL;
2447 #endif
2448                 for (r = command->redirects; r; r = rnext) {
2449                         debug_printf_clean("%s   redirect %d%s", indenter(indent),
2450                                         r->fd, redir_table[r->rd_type].descrip);
2451                         /* guard against the case >$FOO, where foo is unset or blank */
2452                         if (r->rd_filename) {
2453                                 debug_printf_clean(" fname:'%s'\n", r->rd_filename);
2454                                 free(r->rd_filename);
2455                                 r->rd_filename = NULL;
2456                         }
2457                         debug_printf_clean(" rd_dup:%d\n", r->rd_dup);
2458                         rnext = r->next;
2459                         free(r);
2460                 }
2461                 command->redirects = NULL;
2462         }
2463         free(pi->cmds);   /* children are an array, they get freed all at once */
2464         pi->cmds = NULL;
2465 #if ENABLE_HUSH_JOB
2466         free(pi->cmdtext);
2467         pi->cmdtext = NULL;
2468 #endif
2469 }
2470
2471 static void free_pipe_list(struct pipe *head, int indent)
2472 {
2473         struct pipe *pi, *next;
2474
2475         for (pi = head; pi; pi = next) {
2476 #if HAS_KEYWORDS
2477                 debug_printf_clean("%s pipe reserved word %d\n", indenter(indent), pi->res_word);
2478 #endif
2479                 free_pipe(pi, indent);
2480                 debug_printf_clean("%s pipe followup code %d\n", indenter(indent), pi->followup);
2481                 next = pi->next;
2482                 /*pi->next = NULL;*/
2483                 free(pi);
2484         }
2485 }
2486
2487
2488 #if BB_MMU
2489 #define pseudo_exec_argv(nommu_save, argv, assignment_cnt, argv_expanded) \
2490         pseudo_exec_argv(argv, assignment_cnt, argv_expanded)
2491 #define pseudo_exec(nommu_save, command, argv_expanded) \
2492         pseudo_exec(command, argv_expanded)
2493 #endif
2494
2495 /* Called after [v]fork() in run_pipe, or from builtin_exec.
2496  * Never returns.
2497  * XXX no exit() here.  If you don't exec, use _exit instead.
2498  * The at_exit handlers apparently confuse the calling process,
2499  * in particular stdin handling.  Not sure why? -- because of vfork! (vda) */
2500 static void pseudo_exec_argv(nommu_save_t *nommu_save,
2501                 char **argv, int assignment_cnt,
2502                 char **argv_expanded) NORETURN;
2503 static void pseudo_exec_argv(nommu_save_t *nommu_save,
2504                 char **argv, int assignment_cnt,
2505                 char **argv_expanded)
2506 {
2507         char **new_env;
2508
2509         /* Case when we are here: ... | var=val | ... */
2510         if (!argv[assignment_cnt])
2511                 _exit(EXIT_SUCCESS);
2512
2513         new_env = expand_assignments(argv, assignment_cnt);
2514 #if BB_MMU
2515         putenv_all(new_env);
2516         free(new_env); /* optional */
2517 #else
2518         nommu_save->new_env = new_env;
2519         nommu_save->old_env = putenv_all_and_save_old(new_env);
2520 #endif
2521         if (argv_expanded) {
2522                 argv = argv_expanded;
2523         } else {
2524                 argv = expand_strvec_to_strvec(argv + assignment_cnt);
2525 #if !BB_MMU
2526                 nommu_save->argv = argv;
2527 #endif
2528         }
2529
2530         /* On NOMMU, we must never block!
2531          * Example: { sleep 99999 | read line } & echo Ok
2532          * read builtin will block on read syscall, leaving parent blocked
2533          * in vfork. Therefore we can't do this:
2534          */
2535 #if BB_MMU
2536         /* Check if the command matches any of the builtins.
2537          * Depending on context, this might be redundant.  But it's
2538          * easier to waste a few CPU cycles than it is to figure out
2539          * if this is one of those cases.
2540          */
2541         {
2542                 int rcode;
2543                 const struct built_in_command *x;
2544                 for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
2545                         if (strcmp(argv[0], x->cmd) == 0) {
2546                                 debug_printf_exec("running builtin '%s'\n",
2547                                                 argv[0]);
2548                                 rcode = x->function(argv);
2549                                 fflush(NULL);
2550                                 _exit(rcode);
2551                         }
2552                 }
2553         }
2554 #endif
2555
2556 #if ENABLE_FEATURE_SH_STANDALONE
2557         /* Check if the command matches any busybox applets */
2558         if (strchr(argv[0], '/') == NULL) {
2559                 int a = find_applet_by_name(argv[0]);
2560                 if (a >= 0) {
2561 #if BB_MMU /* see above why on NOMMU it is not allowed */
2562                         if (APPLET_IS_NOEXEC(a)) {
2563                                 debug_printf_exec("running applet '%s'\n", argv[0]);
2564                                 run_applet_no_and_exit(a, argv);
2565                         }
2566 #endif
2567                         /* Re-exec ourselves */
2568                         debug_printf_exec("re-execing applet '%s'\n", argv[0]);
2569                         sigprocmask(SIG_SETMASK, &G.inherited_set, NULL);
2570                         execv(bb_busybox_exec_path, argv);
2571                         /* If they called chroot or otherwise made the binary no longer
2572                          * executable, fall through */
2573                 }
2574         }
2575 #endif
2576
2577         debug_printf_exec("execing '%s'\n", argv[0]);
2578         sigprocmask(SIG_SETMASK, &G.inherited_set, NULL);
2579         execvp(argv[0], argv);
2580         bb_perror_msg("can't exec '%s'", argv[0]);
2581         _exit(EXIT_FAILURE);
2582 }
2583
2584 static int run_list(struct pipe *pi);
2585
2586 /* Called after [v]fork() in run_pipe
2587  */
2588 static void pseudo_exec(nommu_save_t *nommu_save,
2589                 struct command *command,
2590                 char **argv_expanded) NORETURN;
2591 static void pseudo_exec(nommu_save_t *nommu_save,
2592                 struct command *command,
2593                 char **argv_expanded)
2594 {
2595         if (command->argv) {
2596                 pseudo_exec_argv(nommu_save, command->argv,
2597                                 command->assignment_cnt, argv_expanded);
2598         }
2599
2600         if (command->group) {
2601                 /* Cases when we are here:
2602                  * ( list )
2603                  * { list } &
2604                  * ... | ( list ) | ...
2605                  * ... | { list } | ...
2606                  */
2607 #if BB_MMU
2608                 int rcode;
2609                 debug_printf_exec("pseudo_exec: run_list\n");
2610                 reset_traps_to_defaults();
2611                 rcode = run_list(command->group);
2612                 /* OK to leak memory by not calling free_pipe_list,
2613                  * since this process is about to exit */
2614                 _exit(rcode);
2615 #else
2616                 re_execute_shell(command->group_as_string, 0);
2617 #endif
2618         }
2619
2620         /* Case when we are here: ... | >file */
2621         debug_printf_exec("pseudo_exec'ed null command\n");
2622         _exit(EXIT_SUCCESS);
2623 }
2624
2625 #if ENABLE_HUSH_JOB
2626 static const char *get_cmdtext(struct pipe *pi)
2627 {
2628         char **argv;
2629         char *p;
2630         int len;
2631
2632         /* This is subtle. ->cmdtext is created only on first backgrounding.
2633          * (Think "cat, <ctrl-z>, fg, <ctrl-z>, fg, <ctrl-z>...." here...)
2634          * On subsequent bg argv is trashed, but we won't use it */
2635         if (pi->cmdtext)
2636                 return pi->cmdtext;
2637         argv = pi->cmds[0].argv;
2638         if (!argv || !argv[0]) {
2639                 pi->cmdtext = xzalloc(1);
2640                 return pi->cmdtext;
2641         }
2642
2643         len = 0;
2644         do len += strlen(*argv) + 1; while (*++argv);
2645         pi->cmdtext = p = xmalloc(len);
2646         argv = pi->cmds[0].argv;
2647         do {
2648                 len = strlen(*argv);
2649                 memcpy(p, *argv, len);
2650                 p += len;
2651                 *p++ = ' ';
2652         } while (*++argv);
2653         p[-1] = '\0';
2654         return pi->cmdtext;
2655 }
2656
2657 static void insert_bg_job(struct pipe *pi)
2658 {
2659         struct pipe *thejob;
2660         int i;
2661
2662         /* Linear search for the ID of the job to use */
2663         pi->jobid = 1;
2664         for (thejob = G.job_list; thejob; thejob = thejob->next)
2665                 if (thejob->jobid >= pi->jobid)
2666                         pi->jobid = thejob->jobid + 1;
2667
2668         /* Add thejob to the list of running jobs */
2669         if (!G.job_list) {
2670                 thejob = G.job_list = xmalloc(sizeof(*thejob));
2671         } else {
2672                 for (thejob = G.job_list; thejob->next; thejob = thejob->next)
2673                         continue;
2674                 thejob->next = xmalloc(sizeof(*thejob));
2675                 thejob = thejob->next;
2676         }
2677
2678         /* Physically copy the struct job */
2679         memcpy(thejob, pi, sizeof(struct pipe));
2680         thejob->cmds = xzalloc(sizeof(pi->cmds[0]) * pi->num_cmds);
2681         /* We cannot copy entire pi->cmds[] vector! Double free()s will happen */
2682         for (i = 0; i < pi->num_cmds; i++) {
2683 // TODO: do we really need to have so many fields which are just dead weight
2684 // at execution stage?
2685                 thejob->cmds[i].pid = pi->cmds[i].pid;
2686                 /* all other fields are not used and stay zero */
2687         }
2688         thejob->next = NULL;
2689         thejob->cmdtext = xstrdup(get_cmdtext(pi));
2690
2691         /* We don't wait for background thejobs to return -- append it
2692            to the list of backgrounded thejobs and leave it alone */
2693         if (G_interactive_fd)
2694                 printf("[%d] %d %s\n", thejob->jobid, thejob->cmds[0].pid, thejob->cmdtext);
2695         G.last_bg_pid = thejob->cmds[0].pid;
2696         G.last_jobid = thejob->jobid;
2697 }
2698
2699 static void remove_bg_job(struct pipe *pi)
2700 {
2701         struct pipe *prev_pipe;
2702
2703         if (pi == G.job_list) {
2704                 G.job_list = pi->next;
2705         } else {
2706                 prev_pipe = G.job_list;
2707                 while (prev_pipe->next != pi)
2708                         prev_pipe = prev_pipe->next;
2709                 prev_pipe->next = pi->next;
2710         }
2711         if (G.job_list)
2712                 G.last_jobid = G.job_list->jobid;
2713         else
2714                 G.last_jobid = 0;
2715 }
2716
2717 /* Remove a backgrounded job */
2718 static void delete_finished_bg_job(struct pipe *pi)
2719 {
2720         remove_bg_job(pi);
2721         pi->stopped_cmds = 0;
2722         free_pipe(pi, 0);
2723         free(pi);
2724 }
2725 #endif /* JOB */
2726
2727 /* Check to see if any processes have exited -- if they
2728  * have, figure out why and see if a job has completed */
2729 static int checkjobs(struct pipe* fg_pipe)
2730 {
2731         int attributes;
2732         int status;
2733 #if ENABLE_HUSH_JOB
2734         struct pipe *pi;
2735 #endif
2736         pid_t childpid;
2737         int rcode = 0;
2738
2739         debug_printf_jobs("checkjobs %p\n", fg_pipe);
2740
2741         errno = 0;
2742 //      if (G.handled_SIGCHLD == G.count_SIGCHLD)
2743 //              /* avoid doing syscall, nothing there anyway */
2744 //              return rcode;
2745
2746         attributes = WUNTRACED;
2747         if (fg_pipe == NULL)
2748                 attributes |= WNOHANG;
2749
2750 /* Do we do this right?
2751  * bash-3.00# sleep 20 | false
2752  * <ctrl-Z pressed>
2753  * [3]+  Stopped          sleep 20 | false
2754  * bash-3.00# echo $?
2755  * 1   <========== bg pipe is not fully done, but exitcode is already known!
2756  */
2757
2758 //FIXME: non-interactive bash does not continue even if all processes in fg pipe
2759 //are stopped. Testcase: "cat | cat" in a script (not on command line)
2760 // + killall -STOP cat
2761
2762  wait_more:
2763         while (1) {
2764                 int i;
2765                 int dead;
2766
2767 //              i = G.count_SIGCHLD;
2768                 childpid = waitpid(-1, &status, attributes);
2769                 if (childpid <= 0) {
2770                         if (childpid && errno != ECHILD)
2771                                 bb_perror_msg("waitpid");
2772 //                      else /* Until next SIGCHLD, waitpid's are useless */
2773 //                              G.handled_SIGCHLD = i;
2774                         break;
2775                 }
2776                 dead = WIFEXITED(status) || WIFSIGNALED(status);
2777
2778 #if DEBUG_JOBS
2779                 if (WIFSTOPPED(status))
2780                         debug_printf_jobs("pid %d stopped by sig %d (exitcode %d)\n",
2781                                         childpid, WSTOPSIG(status), WEXITSTATUS(status));
2782                 if (WIFSIGNALED(status))
2783                         debug_printf_jobs("pid %d killed by sig %d (exitcode %d)\n",
2784                                         childpid, WTERMSIG(status), WEXITSTATUS(status));
2785                 if (WIFEXITED(status))
2786                         debug_printf_jobs("pid %d exited, exitcode %d\n",
2787                                         childpid, WEXITSTATUS(status));
2788 #endif
2789                 /* Were we asked to wait for fg pipe? */
2790                 if (fg_pipe) {
2791                         for (i = 0; i < fg_pipe->num_cmds; i++) {
2792                                 debug_printf_jobs("check pid %d\n", fg_pipe->cmds[i].pid);
2793                                 if (fg_pipe->cmds[i].pid != childpid)
2794                                         continue;
2795                                 /* printf("process %d exit %d\n", i, WEXITSTATUS(status)); */
2796                                 if (dead) {
2797                                         fg_pipe->cmds[i].pid = 0;
2798                                         fg_pipe->alive_cmds--;
2799                                         if (i == fg_pipe->num_cmds - 1) {
2800                                                 /* last process gives overall exitstatus */
2801                                                 rcode = WEXITSTATUS(status);
2802                                                 IF_HAS_KEYWORDS(if (fg_pipe->pi_inverted) rcode = !rcode;)
2803                                         }
2804                                 } else {
2805                                         fg_pipe->cmds[i].is_stopped = 1;
2806                                         fg_pipe->stopped_cmds++;
2807                                 }
2808                                 debug_printf_jobs("fg_pipe: alive_cmds %d stopped_cmds %d\n",
2809                                                 fg_pipe->alive_cmds, fg_pipe->stopped_cmds);
2810                                 if (fg_pipe->alive_cmds - fg_pipe->stopped_cmds <= 0) {
2811                                         /* All processes in fg pipe have exited/stopped */
2812 #if ENABLE_HUSH_JOB
2813                                         if (fg_pipe->alive_cmds)
2814                                                 insert_bg_job(fg_pipe);
2815 #endif
2816                                         return rcode;
2817                                 }
2818                                 /* There are still running processes in the fg pipe */
2819                                 goto wait_more; /* do waitpid again */
2820                         }
2821                         /* it wasnt fg_pipe, look for process in bg pipes */
2822                 }
2823
2824 #if ENABLE_HUSH_JOB
2825                 /* We asked to wait for bg or orphaned children */
2826                 /* No need to remember exitcode in this case */
2827                 for (pi = G.job_list; pi; pi = pi->next) {
2828                         for (i = 0; i < pi->num_cmds; i++) {
2829                                 if (pi->cmds[i].pid == childpid)
2830                                         goto found_pi_and_prognum;
2831                         }
2832                 }
2833                 /* Happens when shell is used as init process (init=/bin/sh) */
2834                 debug_printf("checkjobs: pid %d was not in our list!\n", childpid);
2835                 continue; /* do waitpid again */
2836
2837  found_pi_and_prognum:
2838                 if (dead) {
2839                         /* child exited */
2840                         pi->cmds[i].pid = 0;
2841                         pi->alive_cmds--;
2842                         if (!pi->alive_cmds) {
2843                                 if (G_interactive_fd)
2844                                         printf(JOB_STATUS_FORMAT, pi->jobid,
2845                                                         "Done", pi->cmdtext);
2846                                 delete_finished_bg_job(pi);
2847                         }
2848                 } else {
2849                         /* child stopped */
2850                         pi->cmds[i].is_stopped = 1;
2851                         pi->stopped_cmds++;
2852                 }
2853 #endif
2854         } /* while (waitpid succeeds)... */
2855
2856         return rcode;
2857 }
2858
2859 #if ENABLE_HUSH_JOB
2860 static int checkjobs_and_fg_shell(struct pipe* fg_pipe)
2861 {
2862         pid_t p;
2863         int rcode = checkjobs(fg_pipe);
2864         /* Job finished, move the shell to the foreground */
2865         p = getpgid(0); /* pgid of our process */
2866         debug_printf_jobs("fg'ing ourself: getpgid(0)=%d\n", (int)p);
2867         tcsetpgrp(G_interactive_fd, p);
2868         return rcode;
2869 }
2870 #endif
2871
2872 /* Start all the jobs, but don't wait for anything to finish.
2873  * See checkjobs().
2874  *
2875  * Return code is normally -1, when the caller has to wait for children
2876  * to finish to determine the exit status of the pipe.  If the pipe
2877  * is a simple builtin command, however, the action is done by the
2878  * time run_pipe returns, and the exit code is provided as the
2879  * return value.
2880  *
2881  * Returns -1 only if started some children. IOW: we have to
2882  * mask out retvals of builtins etc with 0xff!
2883  *
2884  * The only case when we do not need to [v]fork is when the pipe
2885  * is single, non-backgrounded, non-subshell command. Examples:
2886  * cmd ; ...   { list } ; ...
2887  * cmd && ...  { list } && ...
2888  * cmd || ...  { list } || ...
2889  * If it is, then we can run cmd as a builtin, NOFORK [do we do this?],
2890  * or (if SH_STANDALONE) an applet, and we can run the { list }
2891  * with run_list(). If it isn't one of these, we fork and exec cmd.
2892  *
2893  * Cases when we must fork:
2894  * non-single:   cmd | cmd
2895  * backgrounded: cmd &     { list } &
2896  * subshell:     ( list ) [&]
2897  */
2898 static int run_pipe(struct pipe *pi)
2899 {
2900         static const char *const null_ptr = NULL;
2901         int i;
2902         int nextin;
2903         int pipefds[2];         /* pipefds[0] is for reading */
2904         struct command *command;
2905         char **argv_expanded;
2906         char **argv;
2907         char *p;
2908         /* it is not always needed, but we aim to smaller code */
2909         int squirrel[] = { -1, -1, -1 };
2910         int rcode;
2911
2912         debug_printf_exec("run_pipe start: members:%d\n", pi->num_cmds);
2913
2914         USE_HUSH_JOB(pi->pgrp = -1;)
2915         pi->stopped_cmds = 0;
2916         command = &(pi->cmds[0]);
2917         argv_expanded = NULL;
2918
2919         if (pi->num_cmds != 1
2920          || pi->followup == PIPE_BG
2921          || command->grp_type == GRP_SUBSHELL
2922         ) {
2923                 goto must_fork;
2924         }
2925
2926         pi->alive_cmds = 1;
2927
2928         debug_printf_exec(": group:%p argv:'%s'\n",
2929                 command->group, command->argv ? command->argv[0] : "NONE");
2930
2931         if (command->group) {
2932 #if ENABLE_HUSH_FUNCTIONS
2933                 if (command->grp_type == GRP_FUNCTION) {
2934                         /* func () { list } */
2935                         bb_error_msg("here we ought to remember function definition, and go on");
2936                         return EXIT_SUCCESS;
2937                 }
2938 #endif
2939                 /* { list } */
2940                 debug_printf("non-subshell group\n");
2941                 setup_redirects(command, squirrel);
2942                 debug_printf_exec(": run_list\n");
2943                 rcode = run_list(command->group) & 0xff;
2944                 restore_redirects(squirrel);
2945                 debug_printf_exec("run_pipe return %d\n", rcode);
2946                 IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
2947                 return rcode;
2948         }
2949
2950         argv = command->argv ? command->argv : (char **) &null_ptr;
2951         {
2952                 const struct built_in_command *x;
2953                 char **new_env = NULL;
2954                 char **old_env = NULL;
2955
2956                 if (argv[command->assignment_cnt] == NULL) {
2957                         /* Assignments, but no command */
2958                         /* Ensure redirects take effect. Try "a=t >file" */
2959                         setup_redirects(command, squirrel);
2960                         restore_redirects(squirrel);
2961                         /* Set shell variables */
2962                         while (*argv) {
2963                                 p = expand_string_to_string(*argv);
2964                                 debug_printf_exec("set shell var:'%s'->'%s'\n",
2965                                                 *argv, p);
2966                                 set_local_var(p, 0, 0);
2967                                 argv++;
2968                         }
2969                         /* Do we need to flag set_local_var() errors?
2970                          * "assignment to readonly var" and "putenv error"
2971                          */
2972                         return EXIT_SUCCESS;
2973                 }
2974
2975                 /* Expand the rest into (possibly) many strings each */
2976                 argv_expanded = expand_strvec_to_strvec(argv + command->assignment_cnt);
2977
2978                 for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
2979                         if (strcmp(argv_expanded[0], x->cmd) != 0)
2980                                 continue;
2981                         if (x->function == builtin_exec && argv_expanded[1] == NULL) {
2982                                 debug_printf("exec with redirects only\n");
2983                                 setup_redirects(command, NULL);
2984                                 rcode = EXIT_SUCCESS;
2985                                 goto clean_up_and_ret1;
2986                         }
2987                         debug_printf("builtin inline %s\n", argv_expanded[0]);
2988                         /* XXX setup_redirects acts on file descriptors, not FILEs.
2989                          * This is perfect for work that comes after exec().
2990                          * Is it really safe for inline use?  Experimentally,
2991                          * things seem to work with glibc. */
2992                         setup_redirects(command, squirrel);
2993                         new_env = expand_assignments(argv, command->assignment_cnt);
2994                         old_env = putenv_all_and_save_old(new_env);
2995                         debug_printf_exec(": builtin '%s' '%s'...\n",
2996                                     x->cmd, argv_expanded[1]);
2997                         rcode = x->function(argv_expanded) & 0xff;
2998 #if ENABLE_FEATURE_SH_STANDALONE
2999  clean_up_and_ret:
3000 #endif
3001                         restore_redirects(squirrel);
3002                         free_strings_and_unsetenv(new_env, 1);
3003                         putenv_all(old_env);
3004                         /* Free the pointers, but the strings themselves
3005                          * are in environ now, don't use free_strings! */
3006                         free(old_env);
3007  clean_up_and_ret1:
3008                         free(argv_expanded);
3009                         IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
3010                         debug_printf_exec("run_pipe return %d\n", rcode);
3011                         return rcode;
3012                 }
3013 #if ENABLE_FEATURE_SH_STANDALONE
3014                 i = find_applet_by_name(argv_expanded[0]);
3015                 if (i >= 0 && APPLET_IS_NOFORK(i)) {
3016                         setup_redirects(command, squirrel);
3017                         save_nofork_data(&G.nofork_save);
3018                         new_env = expand_assignments(argv, command->assignment_cnt);
3019                         old_env = putenv_all_and_save_old(new_env);
3020                         debug_printf_exec(": run_nofork_applet '%s' '%s'...\n",
3021                                         argv_expanded[0], argv_expanded[1]);
3022                         rcode = run_nofork_applet_prime(&G.nofork_save, i, argv_expanded);
3023                         goto clean_up_and_ret;
3024                 }
3025 #endif
3026                 /* It is neither builtin nor applet. We must fork. */
3027         }
3028
3029  must_fork:
3030         /* NB: argv_expanded may already be created, and that
3031          * might include `cmd` runs! Do not rerun it! We *must*
3032          * use argv_expanded if it's non-NULL */
3033
3034         /* Going to fork a child per each pipe member */
3035         pi->alive_cmds = 0;
3036         nextin = 0;
3037
3038         for (i = 0; i < pi->num_cmds; i++) {
3039 #if !BB_MMU
3040                 volatile nommu_save_t nommu_save;
3041                 nommu_save.new_env = NULL;
3042                 nommu_save.old_env = NULL;
3043                 nommu_save.argv = NULL;
3044 #endif
3045                 command = &(pi->cmds[i]);
3046                 if (command->argv) {
3047                         debug_printf_exec(": pipe member '%s' '%s'...\n",
3048                                         command->argv[0], command->argv[1]);
3049                 } else {
3050                         debug_printf_exec(": pipe member with no argv\n");
3051                 }
3052
3053                 /* pipes are inserted between pairs of commands */
3054                 pipefds[0] = 0;
3055                 pipefds[1] = 1;
3056                 if ((i + 1) < pi->num_cmds)
3057                         xpipe(pipefds);
3058
3059                 command->pid = BB_MMU ? fork() : vfork();
3060                 if (!command->pid) { /* child */
3061 #if ENABLE_HUSH_JOB
3062                         disable_restore_tty_pgrp_on_exit();
3063
3064                         /* Every child adds itself to new process group
3065                          * with pgid == pid_of_first_child_in_pipe */
3066                         if (G.run_list_level == 1 && G_interactive_fd) {
3067                                 pid_t pgrp;
3068                                 pgrp = pi->pgrp;
3069                                 if (pgrp < 0) /* true for 1st process only */
3070                                         pgrp = getpid();
3071                                 if (setpgid(0, pgrp) == 0 && pi->followup != PIPE_BG) {
3072                                         /* We do it in *every* child, not just first,
3073                                          * to avoid races */
3074                                         tcsetpgrp(G_interactive_fd, pgrp);
3075                                 }
3076                         }
3077 #endif
3078                         xmove_fd(nextin, 0);
3079                         xmove_fd(pipefds[1], 1); /* write end */
3080                         if (pipefds[0] > 1)
3081                                 close(pipefds[0]); /* read end */
3082                         /* Like bash, explicit redirects override pipes,
3083                          * and the pipe fd is available for dup'ing. */
3084                         setup_redirects(command, NULL);
3085
3086                         /* Restore default handlers just prior to exec */
3087                         /*signal(SIGCHLD, SIG_DFL); - so far we don't have any handlers */
3088
3089                         /* Stores to nommu_save list of env vars putenv'ed
3090                          * (NOMMU, on MMU we don't need that) */
3091                         /* cast away volatility... */
3092                         pseudo_exec((nommu_save_t*) &nommu_save, command, argv_expanded);
3093                         /* pseudo_exec() does not return */
3094                 }
3095
3096                 /* parent or error */
3097                 enable_restore_tty_pgrp_on_exit();
3098 #if !BB_MMU
3099                 /* Clean up after vforked child */
3100                 clean_up_after_re_execute();
3101                 free(nommu_save.argv);
3102                 free_strings_and_unsetenv(nommu_save.new_env, 1);
3103                 putenv_all(nommu_save.old_env);
3104                 /* Free the pointers, but the strings themselves
3105                  * are in environ now, don't use free_strings! */
3106                 free(nommu_save.old_env);
3107 #endif
3108                 free(argv_expanded);
3109                 argv_expanded = NULL;
3110                 if (command->pid < 0) { /* [v]fork failed */
3111                         /* Clearly indicate, was it fork or vfork */
3112                         bb_perror_msg(BB_MMU ? "fork" : "vfork");
3113                 } else {
3114                         pi->alive_cmds++;
3115 #if ENABLE_HUSH_JOB
3116                         /* Second and next children need to know pid of first one */
3117                         if (pi->pgrp < 0)
3118                                 pi->pgrp = command->pid;
3119 #endif
3120                 }
3121
3122                 if (i)
3123                         close(nextin);
3124                 if ((i + 1) < pi->num_cmds)
3125                         close(pipefds[1]); /* write end */
3126                 /* Pass read (output) pipe end to next iteration */
3127                 nextin = pipefds[0];
3128         }
3129
3130         if (!pi->alive_cmds) {
3131                 debug_printf_exec("run_pipe return 1 (all forks failed, no children)\n");
3132                 return 1;
3133         }
3134
3135         debug_printf_exec("run_pipe return -1 (%u children started)\n", pi->alive_cmds);
3136         return -1;
3137 }
3138
3139 #ifndef debug_print_tree
3140 static void debug_print_tree(struct pipe *pi, int lvl)
3141 {
3142         static const char *const PIPE[] = {
3143                 [PIPE_SEQ] = "SEQ",
3144                 [PIPE_AND] = "AND",
3145                 [PIPE_OR ] = "OR" ,
3146                 [PIPE_BG ] = "BG" ,
3147         };
3148         static const char *RES[] = {
3149                 [RES_NONE ] = "NONE" ,
3150 #if ENABLE_HUSH_IF
3151                 [RES_IF   ] = "IF"   ,
3152                 [RES_THEN ] = "THEN" ,
3153                 [RES_ELIF ] = "ELIF" ,
3154                 [RES_ELSE ] = "ELSE" ,
3155                 [RES_FI   ] = "FI"   ,
3156 #endif
3157 #if ENABLE_HUSH_LOOPS
3158                 [RES_FOR  ] = "FOR"  ,
3159                 [RES_WHILE] = "WHILE",
3160                 [RES_UNTIL] = "UNTIL",
3161                 [RES_DO   ] = "DO"   ,
3162                 [RES_DONE ] = "DONE" ,
3163 #endif
3164 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
3165                 [RES_IN   ] = "IN"   ,
3166 #endif
3167 #if ENABLE_HUSH_CASE
3168                 [RES_CASE ] = "CASE" ,
3169                 [RES_MATCH] = "MATCH",
3170                 [RES_CASEI] = "CASEI",
3171                 [RES_ESAC ] = "ESAC" ,
3172 #endif
3173                 [RES_XXXX ] = "XXXX" ,
3174                 [RES_SNTX ] = "SNTX" ,
3175         };
3176         static const char *const GRPTYPE[] = {
3177                 "{}",
3178                 "()",
3179 #if ENABLE_HUSH_FUNCTIONS
3180                 "func()",
3181 #endif
3182         };
3183
3184         int pin, prn;
3185
3186         pin = 0;
3187         while (pi) {
3188                 fprintf(stderr, "%*spipe %d res_word=%s followup=%d %s\n", lvl*2, "",
3189                                 pin, RES[pi->res_word], pi->followup, PIPE[pi->followup]);
3190                 prn = 0;
3191                 while (prn < pi->num_cmds) {
3192                         struct command *command = &pi->cmds[prn];
3193                         char **argv = command->argv;
3194
3195                         fprintf(stderr, "%*s cmd %d assignment_cnt:%d",
3196                                         lvl*2, "", prn,
3197                                         command->assignment_cnt);
3198                         if (command->group) {
3199                                 fprintf(stderr, " group %s: (argv=%p)\n",
3200                                                 GRPTYPE[command->grp_type],
3201                                                 argv);
3202                                 debug_print_tree(command->group, lvl+1);
3203                                 prn++;
3204                                 continue;
3205                         }
3206                         if (argv) while (*argv) {
3207                                 fprintf(stderr, " '%s'", *argv);
3208                                 argv++;
3209                         }
3210                         fprintf(stderr, "\n");
3211                         prn++;
3212                 }
3213                 pi = pi->next;
3214                 pin++;
3215         }
3216 }
3217 #endif
3218
3219 /* NB: called by pseudo_exec, and therefore must not modify any
3220  * global data until exec/_exit (we can be a child after vfork!) */
3221 static int run_list(struct pipe *pi)
3222 {
3223 #if ENABLE_HUSH_CASE
3224         char *case_word = NULL;
3225 #endif
3226 #if ENABLE_HUSH_LOOPS
3227         struct pipe *loop_top = NULL;
3228         char *for_varname = NULL;
3229         char **for_lcur = NULL;
3230         char **for_list = NULL;
3231 #endif
3232         smallint last_followup;
3233         smalluint rcode;
3234 #if ENABLE_HUSH_IF || ENABLE_HUSH_CASE
3235         smalluint cond_code = 0;
3236 #else
3237         enum { cond_code = 0 };
3238 #endif
3239 #if HAS_KEYWORDS
3240         smallint rword; /* enum reserved_style */
3241         smallint last_rword; /* ditto */
3242 #endif
3243
3244         debug_printf_exec("run_list start lvl %d\n", G.run_list_level + 1);
3245
3246 #if ENABLE_HUSH_LOOPS
3247         /* Check syntax for "for" */
3248         for (struct pipe *cpipe = pi; cpipe; cpipe = cpipe->next) {
3249                 if (cpipe->res_word != RES_FOR && cpipe->res_word != RES_IN)
3250                         continue;
3251                 /* current word is FOR or IN (BOLD in comments below) */
3252                 if (cpipe->next == NULL) {
3253                         syntax("malformed for");
3254                         debug_printf_exec("run_list lvl %d return 1\n", G.run_list_level);
3255                         return 1;
3256                 }
3257                 /* "FOR v; do ..." and "for v IN a b; do..." are ok */
3258                 if (cpipe->next->res_word == RES_DO)
3259                         continue;
3260                 /* next word is not "do". It must be "in" then ("FOR v in ...") */
3261                 if (cpipe->res_word == RES_IN /* "for v IN a b; not_do..."? */
3262                  || cpipe->next->res_word != RES_IN /* FOR v not_do_and_not_in..."? */
3263                 ) {
3264                         syntax("malformed for");
3265                         debug_printf_exec("run_list lvl %d return 1\n", G.run_list_level);
3266                         return 1;
3267                 }
3268         }
3269 #endif
3270
3271         /* Past this point, all code paths should jump to ret: label
3272          * in order to return, no direct "return" statements please.
3273          * This helps to ensure that no memory is leaked. */
3274
3275 ////TODO: ctrl-Z handling needs re-thinking and re-testing
3276
3277 #if ENABLE_HUSH_JOB
3278         /* Example of nested list: "while true; do { sleep 1 | exit 2; } done".
3279          * We are saving state before entering outermost list ("while...done")
3280          * so that ctrl-Z will correctly background _entire_ outermost list,
3281          * not just a part of it (like "sleep 1 | exit 2") */
3282         if (++G.run_list_level == 1 && G_interactive_fd) {
3283                 if (sigsetjmp(G.toplevel_jb, 1)) {
3284                         /* ctrl-Z forked and we are parent; or ctrl-C.
3285                          * Sighandler has longjmped us here */
3286                         signal(SIGINT, SIG_IGN);
3287                         signal(SIGTSTP, SIG_IGN);
3288                         /* Restore level (we can be coming from deep inside
3289                          * nested levels) */
3290                         G.run_list_level = 1;
3291 #if ENABLE_FEATURE_SH_STANDALONE
3292                         if (G.nofork_save.saved) { /* if save area is valid */
3293                                 debug_printf_jobs("exiting nofork early\n");
3294                                 restore_nofork_data(&G.nofork_save);
3295                         }
3296 #endif
3297 ////                    if (G.ctrl_z_flag) {
3298 ////                            /* ctrl-Z has forked and stored pid of the child in pi->pid.
3299 ////                             * Remember this child as background job */
3300 ////                            insert_bg_job(pi);
3301 ////                    } else {
3302                                 /* ctrl-C. We just stop doing whatever we were doing */
3303                                 bb_putchar('\n');
3304 ////                    }
3305                         USE_HUSH_LOOPS(loop_top = NULL;)
3306                         USE_HUSH_LOOPS(G.depth_of_loop = 0;)
3307                         rcode = 0;
3308                         goto ret;
3309                 }
3310 ////            /* ctrl-Z handler will store pid etc in pi */
3311 ////            G.toplevel_list = pi;
3312 ////            G.ctrl_z_flag = 0;
3313 ////#if ENABLE_FEATURE_SH_STANDALONE
3314 ////            G.nofork_save.saved = 0; /* in case we will run a nofork later */
3315 ////#endif
3316 ////            signal_SA_RESTART_empty_mask(SIGTSTP, handler_ctrl_z);
3317 ////            signal(SIGINT, handler_ctrl_c);
3318         }
3319 #endif /* JOB */
3320
3321 #if HAS_KEYWORDS
3322         rword = RES_NONE;
3323         last_rword = RES_XXXX;
3324 #endif
3325         last_followup = PIPE_SEQ;
3326         rcode = G.last_exitcode;
3327
3328         /* Go through list of pipes, (maybe) executing them. */
3329         for (; pi; pi = USE_HUSH_LOOPS(rword == RES_DONE ? loop_top : ) pi->next) {
3330                 if (G.flag_SIGINT)
3331                         break;
3332
3333                 IF_HAS_KEYWORDS(rword = pi->res_word;)
3334                 debug_printf_exec(": rword=%d cond_code=%d last_rword=%d\n",
3335                                 rword, cond_code, last_rword);
3336 #if ENABLE_HUSH_LOOPS
3337                 if ((rword == RES_WHILE || rword == RES_UNTIL || rword == RES_FOR)
3338                  && loop_top == NULL /* avoid bumping G.depth_of_loop twice */
3339                 ) {
3340                         /* start of a loop: remember where loop starts */
3341                         loop_top = pi;
3342                         G.depth_of_loop++;
3343                 }
3344 #endif
3345                 /* Still in the same "if...", "then..." or "do..." branch? */
3346                 if (IF_HAS_KEYWORDS(rword == last_rword &&) 1) {
3347                         if ((rcode == 0 && last_followup == PIPE_OR)
3348                          || (rcode != 0 && last_followup == PIPE_AND)
3349                         ) {
3350                                 /* It is "<true> || CMD" or "<false> && CMD"
3351                                  * and we should not execute CMD */
3352                                 debug_printf_exec("skipped cmd because of || or &&\n");
3353                                 last_followup = pi->followup;
3354                                 continue;
3355                         }
3356                 }
3357                 last_followup = pi->followup;
3358                 IF_HAS_KEYWORDS(last_rword = rword;)
3359 #if ENABLE_HUSH_IF
3360                 if (cond_code) {
3361                         if (rword == RES_THEN) {
3362                                 /* if false; then ... fi has exitcode 0! */
3363                                 G.last_exitcode = rcode = EXIT_SUCCESS;
3364                                 /* "if <false> THEN cmd": skip cmd */
3365                                 continue;
3366                         }
3367                 } else {
3368                         if (rword == RES_ELSE || rword == RES_ELIF) {
3369                                 /* "if <true> then ... ELSE/ELIF cmd":
3370                                  * skip cmd and all following ones */
3371                                 break;
3372                         }
3373                 }
3374 #endif
3375 #if ENABLE_HUSH_LOOPS
3376                 if (rword == RES_FOR) { /* && pi->num_cmds - always == 1 */
3377                         if (!for_lcur) {
3378                                 /* first loop through for */
3379
3380                                 static const char encoded_dollar_at[] ALIGN1 = {
3381                                         SPECIAL_VAR_SYMBOL, '@' | 0x80, SPECIAL_VAR_SYMBOL, '\0'
3382                                 }; /* encoded representation of "$@" */
3383                                 static const char *const encoded_dollar_at_argv[] = {
3384                                         encoded_dollar_at, NULL
3385                                 }; /* argv list with one element: "$@" */
3386                                 char **vals;
3387
3388                                 vals = (char**)encoded_dollar_at_argv;
3389                                 if (pi->next->res_word == RES_IN) {
3390                                         /* if no variable values after "in" we skip "for" */
3391                                         if (!pi->next->cmds[0].argv) {
3392                                                 G.last_exitcode = rcode = EXIT_SUCCESS;
3393                                                 debug_printf_exec(": null FOR: exitcode EXIT_SUCCESS\n");
3394                                                 break;
3395                                         }
3396                                         vals = pi->next->cmds[0].argv;
3397                                 } /* else: "for var; do..." -> assume "$@" list */
3398                                 /* create list of variable values */
3399                                 debug_print_strings("for_list made from", vals);
3400                                 for_list = expand_strvec_to_strvec(vals);
3401                                 for_lcur = for_list;
3402                                 debug_print_strings("for_list", for_list);
3403                                 for_varname = pi->cmds[0].argv[0];
3404                                 pi->cmds[0].argv[0] = NULL;
3405                         }
3406                         free(pi->cmds[0].argv[0]);
3407                         if (!*for_lcur) {
3408                                 /* "for" loop is over, clean up */
3409                                 free(for_list);
3410                                 for_list = NULL;
3411                                 for_lcur = NULL;
3412                                 pi->cmds[0].argv[0] = for_varname;
3413                                 break;
3414                         }
3415                         /* Insert next value from for_lcur */
3416 //TODO: does it need escaping?
3417                         pi->cmds[0].argv[0] = xasprintf("%s=%s", for_varname, *for_lcur++);
3418                         pi->cmds[0].assignment_cnt = 1;
3419                 }
3420                 if (rword == RES_IN) {
3421                         continue; /* "for v IN list;..." - "in" has no cmds anyway */
3422                 }
3423                 if (rword == RES_DONE) {
3424                         continue; /* "done" has no cmds too */
3425                 }
3426 #endif
3427 #if ENABLE_HUSH_CASE
3428                 if (rword == RES_CASE) {
3429                         case_word = expand_strvec_to_string(pi->cmds->argv);
3430                         continue;
3431                 }
3432                 if (rword == RES_MATCH) {
3433                         char **argv;
3434
3435                         if (!case_word) /* "case ... matched_word) ... WORD)": we executed selected branch, stop */
3436                                 break;
3437                         /* all prev words didn't match, does this one match? */
3438                         argv = pi->cmds->argv;
3439                         while (*argv) {
3440                                 char *pattern = expand_string_to_string(*argv);
3441                                 /* TODO: which FNM_xxx flags to use? */
3442                                 cond_code = (fnmatch(pattern, case_word, /*flags:*/ 0) != 0);
3443                                 free(pattern);
3444                                 if (cond_code == 0) { /* match! we will execute this branch */
3445                                         free(case_word); /* make future "word)" stop */
3446                                         case_word = NULL;
3447                                         break;
3448                                 }
3449                                 argv++;
3450                         }
3451                         continue;
3452                 }
3453                 if (rword == RES_CASEI) { /* inside of a case branch */
3454                         if (cond_code != 0)
3455                                 continue; /* not matched yet, skip this pipe */
3456                 }
3457 #endif
3458                 /* Just pressing <enter> in shell should check for jobs.
3459                  * OTOH, in non-interactive shell this is useless
3460                  * and only leads to extra job checks */
3461                 if (pi->num_cmds == 0) {
3462                         if (G_interactive_fd)
3463                                 goto check_jobs_and_continue;
3464                         continue;
3465                 }
3466
3467                 /* After analyzing all keywords and conditions, we decided
3468                  * to execute this pipe. NB: have to do checkjobs(NULL)
3469                  * after run_pipe to collect any background children,
3470                  * even if list execution is to be stopped. */
3471                 debug_printf_exec(": run_pipe with %d members\n", pi->num_cmds);
3472                 {
3473                         int r;
3474 #if ENABLE_HUSH_LOOPS
3475                         G.flag_break_continue = 0;
3476 #endif
3477                         rcode = r = run_pipe(pi); /* NB: rcode is a smallint */
3478                         if (r != -1) {
3479                                 /* We only ran a builtin: rcode is already known
3480                                  * and we don't need to wait for anything. */
3481                                 G.last_exitcode = rcode;
3482                                 debug_printf_exec(": builtin exitcode %d\n", rcode);
3483                                 check_and_run_traps(0);
3484 #if ENABLE_HUSH_LOOPS
3485                                 /* Was it "break" or "continue"? */
3486                                 if (G.flag_break_continue) {
3487                                         smallint fbc = G.flag_break_continue;
3488                                         /* We might fall into outer *loop*,
3489                                          * don't want to break it too */
3490                                         if (loop_top) {
3491                                                 G.depth_break_continue--;
3492                                                 if (G.depth_break_continue == 0)
3493                                                         G.flag_break_continue = 0;
3494                                                 /* else: e.g. "continue 2" should *break* once, *then* continue */
3495                                         } /* else: "while... do... { we are here (innermost list is not a loop!) };...done" */
3496                                         if (G.depth_break_continue != 0 || fbc == BC_BREAK)
3497                                                 goto check_jobs_and_break;
3498                                         /* "continue": simulate end of loop */
3499                                         rword = RES_DONE;
3500                                         continue;
3501                                 }
3502 #endif
3503                         } else if (pi->followup == PIPE_BG) {
3504                                 /* What does bash do with attempts to background builtins? */
3505                                 /* even bash 3.2 doesn't do that well with nested bg:
3506                                  * try "{ { sleep 10; echo DEEP; } & echo HERE; } &".
3507                                  * I'm NOT treating inner &'s as jobs */
3508                                 check_and_run_traps(0);
3509 #if ENABLE_HUSH_JOB
3510                                 if (G.run_list_level == 1)
3511                                         insert_bg_job(pi);
3512 #endif
3513                                 G.last_exitcode = rcode = EXIT_SUCCESS;
3514                                 debug_printf_exec(": cmd&: exitcode EXIT_SUCCESS\n");
3515                         } else {
3516 #if ENABLE_HUSH_JOB
3517                                 if (G.run_list_level == 1 && G_interactive_fd) {
3518                                         /* Waits for completion, then fg's main shell */
3519                                         rcode = checkjobs_and_fg_shell(pi);
3520                                         debug_printf_exec(": checkjobs_and_fg_shell exitcode %d\n", rcode);
3521                                         check_and_run_traps(0);
3522                                 } else
3523 #endif
3524                                 { /* This one just waits for completion */
3525                                         rcode = checkjobs(pi);
3526                                         debug_printf_exec(": checkjobs exitcode %d\n", rcode);
3527                                         check_and_run_traps(0);
3528                                 }
3529                                 G.last_exitcode = rcode;
3530                         }
3531                 }
3532
3533                 /* Analyze how result affects subsequent commands */
3534 #if ENABLE_HUSH_IF
3535                 if (rword == RES_IF || rword == RES_ELIF)
3536                         cond_code = rcode;
3537 #endif
3538 #if ENABLE_HUSH_LOOPS
3539                 /* Beware of "while false; true; do ..."! */
3540                 if (pi->next && pi->next->res_word == RES_DO) {
3541                         if (rword == RES_WHILE) {
3542                                 if (rcode) {
3543                                         /* "while false; do...done" - exitcode 0 */
3544                                         G.last_exitcode = rcode = EXIT_SUCCESS;
3545                                         debug_printf_exec(": while expr is false: breaking (exitcode:EXIT_SUCCESS)\n");
3546                                         goto check_jobs_and_break;
3547                                 }
3548                         }
3549                         if (rword == RES_UNTIL) {
3550                                 if (!rcode) {
3551                                         debug_printf_exec(": until expr is true: breaking\n");
3552  check_jobs_and_break:
3553                                         checkjobs(NULL);
3554                                         break;
3555                                 }
3556                         }
3557                 }
3558 #endif
3559
3560  check_jobs_and_continue:
3561                 checkjobs(NULL);
3562         } /* for (pi) */
3563
3564 #if ENABLE_HUSH_JOB
3565 ////    if (G.ctrl_z_flag) {
3566 ////            /* ctrl-Z forked somewhere in the past, we are the child,
3567 ////             * and now we completed running the list. Exit. */
3568 //////TODO: _exit?
3569 ////            exit(rcode);
3570 ////    }
3571  ret:
3572         G.run_list_level--;
3573 ////    if (!G.run_list_level && G_interactive_fd) {
3574 ////            signal(SIGTSTP, SIG_IGN);
3575 ////            signal(SIGINT, SIG_IGN);
3576 ////    }
3577 #endif
3578         debug_printf_exec("run_list lvl %d return %d\n", G.run_list_level + 1, rcode);
3579 #if ENABLE_HUSH_LOOPS
3580         if (loop_top)
3581                 G.depth_of_loop--;
3582         free(for_list);
3583 #endif
3584 #if ENABLE_HUSH_CASE
3585         free(case_word);
3586 #endif
3587         return rcode;
3588 }
3589
3590 /* Select which version we will use */
3591 static int run_and_free_list(struct pipe *pi)
3592 {
3593         int rcode = 0;
3594         debug_printf_exec("run_and_free_list entered\n");
3595         if (!G.fake_mode) {
3596                 debug_printf_exec(": run_list: 1st pipe with %d cmds\n", pi->num_cmds);
3597                 rcode = run_list(pi);
3598         }
3599         /* free_pipe_list has the side effect of clearing memory.
3600          * In the long run that function can be merged with run_list,
3601          * but doing that now would hobble the debugging effort. */
3602         free_pipe_list(pi, /* indent: */ 0);
3603         debug_printf_exec("run_and_free_list return %d\n", rcode);
3604         return rcode;
3605 }
3606
3607
3608 static struct pipe *new_pipe(void)
3609 {
3610         struct pipe *pi;
3611         pi = xzalloc(sizeof(struct pipe));
3612         /*pi->followup = 0; - deliberately invalid value */
3613         /*pi->res_word = RES_NONE; - RES_NONE is 0 anyway */
3614         return pi;
3615 }
3616
3617 /* Command (member of a pipe) is complete. The only possible error here
3618  * is out of memory, in which case xmalloc exits. */
3619 static int done_command(struct parse_context *ctx)
3620 {
3621         /* The command is really already in the pipe structure, so
3622          * advance the pipe counter and make a new, null command. */
3623         struct pipe *pi = ctx->pipe;
3624         struct command *command = ctx->command;
3625
3626         if (command) {
3627                 if (command->group == NULL
3628                  && command->argv == NULL
3629                  && command->redirects == NULL
3630                 ) {
3631                         debug_printf_parse("done_command: skipping null cmd, num_cmds=%d\n", pi->num_cmds);
3632                         memset(command, 0, sizeof(*command)); /* paranoia */
3633                         return pi->num_cmds;
3634                 }
3635                 pi->num_cmds++;
3636                 debug_printf_parse("done_command: ++num_cmds=%d\n", pi->num_cmds);
3637                 //debug_print_tree(ctx->list_head, 20);
3638         } else {
3639                 debug_printf_parse("done_command: initializing, num_cmds=%d\n", pi->num_cmds);
3640         }
3641
3642         /* Only real trickiness here is that the uncommitted
3643          * command structure is not counted in pi->num_cmds. */
3644         pi->cmds = xrealloc(pi->cmds, sizeof(*pi->cmds) * (pi->num_cmds+1));
3645         command = &pi->cmds[pi->num_cmds];
3646         memset(command, 0, sizeof(*command));
3647
3648         ctx->command = command;
3649         /* but ctx->pipe and ctx->list_head remain unchanged */
3650
3651         return pi->num_cmds; /* used only for 0/nonzero check */
3652 }
3653
3654 static void done_pipe(struct parse_context *ctx, pipe_style type)
3655 {
3656         int not_null;
3657
3658         debug_printf_parse("done_pipe entered, followup %d\n", type);
3659         /* Close previous command */
3660         not_null = done_command(ctx);
3661         ctx->pipe->followup = type;
3662 #if HAS_KEYWORDS
3663         ctx->pipe->pi_inverted = ctx->ctx_inverted;
3664         ctx->ctx_inverted = 0;
3665         ctx->pipe->res_word = ctx->ctx_res_w;
3666 #endif
3667
3668         /* Without this check, even just <enter> on command line generates
3669          * tree of three NOPs (!). Which is harmless but annoying.
3670          * IOW: it is safe to do it unconditionally.
3671          * RES_NONE case is for "for a in; do ..." (empty IN set)
3672          * and other cases to work. */
3673         if (not_null
3674 #if HAS_KEYWORDS
3675          || ctx->ctx_res_w == RES_FI
3676          || ctx->ctx_res_w == RES_DONE
3677          || ctx->ctx_res_w == RES_FOR
3678          || ctx->ctx_res_w == RES_IN
3679          || ctx->ctx_res_w == RES_ESAC
3680 #endif
3681         ) {
3682                 struct pipe *new_p;
3683                 debug_printf_parse("done_pipe: adding new pipe: "
3684                                 "not_null:%d ctx->ctx_res_w:%d\n",
3685                                 not_null, ctx->ctx_res_w);
3686                 new_p = new_pipe();
3687                 ctx->pipe->next = new_p;
3688                 ctx->pipe = new_p;
3689                 /* RES_THEN, RES_DO etc are "sticky" -
3690                  * they remain set for commands inside if/while.
3691                  * This is used to control execution.
3692                  * RES_FOR and RES_IN are NOT sticky (needed to support
3693                  * cases where variable or value happens to match a keyword):
3694                  */
3695 #if ENABLE_HUSH_LOOPS
3696                 if (ctx->ctx_res_w == RES_FOR
3697                  || ctx->ctx_res_w == RES_IN)
3698                         ctx->ctx_res_w = RES_NONE;
3699 #endif
3700 #if ENABLE_HUSH_CASE
3701                 if (ctx->ctx_res_w == RES_MATCH)
3702                         ctx->ctx_res_w = RES_CASEI;
3703 #endif
3704                 ctx->command = NULL; /* trick done_command below */
3705                 /* Create the memory for command, roughly:
3706                  * ctx->pipe->cmds = new struct command;
3707                  * ctx->command = &ctx->pipe->cmds[0];
3708                  */
3709                 done_command(ctx);
3710                 //debug_print_tree(ctx->list_head, 10);
3711         }
3712         debug_printf_parse("done_pipe return\n");
3713 }
3714
3715 static void initialize_context(struct parse_context *ctx)
3716 {
3717         memset(ctx, 0, sizeof(*ctx));
3718         ctx->pipe = ctx->list_head = new_pipe();
3719         /* Create the memory for command, roughly:
3720          * ctx->pipe->cmds = new struct command;
3721          * ctx->command = &ctx->pipe->cmds[0];
3722          */
3723         done_command(ctx);
3724 }
3725
3726 /* If a reserved word is found and processed, parse context is modified
3727  * and 1 is returned.
3728  */
3729 #if HAS_KEYWORDS
3730 struct reserved_combo {
3731         char literal[6];
3732         unsigned char res;
3733         unsigned char assignment_flag;
3734         int flag;
3735 };
3736 enum {
3737         FLAG_END   = (1 << RES_NONE ),
3738 #if ENABLE_HUSH_IF
3739         FLAG_IF    = (1 << RES_IF   ),
3740         FLAG_THEN  = (1 << RES_THEN ),
3741         FLAG_ELIF  = (1 << RES_ELIF ),
3742         FLAG_ELSE  = (1 << RES_ELSE ),
3743         FLAG_FI    = (1 << RES_FI   ),
3744 #endif
3745 #if ENABLE_HUSH_LOOPS
3746         FLAG_FOR   = (1 << RES_FOR  ),
3747         FLAG_WHILE = (1 << RES_WHILE),
3748         FLAG_UNTIL = (1 << RES_UNTIL),
3749         FLAG_DO    = (1 << RES_DO   ),
3750         FLAG_DONE  = (1 << RES_DONE ),
3751         FLAG_IN    = (1 << RES_IN   ),
3752 #endif
3753 #if ENABLE_HUSH_CASE
3754         FLAG_MATCH = (1 << RES_MATCH),
3755         FLAG_ESAC  = (1 << RES_ESAC ),
3756 #endif
3757         FLAG_START = (1 << RES_XXXX ),
3758 };
3759
3760 static const struct reserved_combo* match_reserved_word(o_string *word)
3761 {
3762         /* Mostly a list of accepted follow-up reserved words.
3763          * FLAG_END means we are done with the sequence, and are ready
3764          * to turn the compound list into a command.
3765          * FLAG_START means the word must start a new compound list.
3766          */
3767         static const struct reserved_combo reserved_list[] = {
3768 #if ENABLE_HUSH_IF
3769                 { "!",     RES_NONE,  NOT_ASSIGNMENT , 0 },
3770                 { "if",    RES_IF,    WORD_IS_KEYWORD, FLAG_THEN | FLAG_START },
3771                 { "then",  RES_THEN,  WORD_IS_KEYWORD, FLAG_ELIF | FLAG_ELSE | FLAG_FI },
3772                 { "elif",  RES_ELIF,  WORD_IS_KEYWORD, FLAG_THEN },
3773                 { "else",  RES_ELSE,  WORD_IS_KEYWORD, FLAG_FI   },
3774                 { "fi",    RES_FI,    NOT_ASSIGNMENT , FLAG_END  },
3775 #endif
3776 #if ENABLE_HUSH_LOOPS
3777                 { "for",   RES_FOR,   NOT_ASSIGNMENT , FLAG_IN | FLAG_DO | FLAG_START },
3778                 { "while", RES_WHILE, WORD_IS_KEYWORD, FLAG_DO | FLAG_START },
3779                 { "until", RES_UNTIL, WORD_IS_KEYWORD, FLAG_DO | FLAG_START },
3780                 { "in",    RES_IN,    NOT_ASSIGNMENT , FLAG_DO   },
3781                 { "do",    RES_DO,    WORD_IS_KEYWORD, FLAG_DONE },
3782                 { "done",  RES_DONE,  NOT_ASSIGNMENT , FLAG_END  },
3783 #endif
3784 #if ENABLE_HUSH_CASE
3785                 { "case",  RES_CASE,  NOT_ASSIGNMENT , FLAG_MATCH | FLAG_START },
3786                 { "esac",  RES_ESAC,  NOT_ASSIGNMENT , FLAG_END  },
3787 #endif
3788         };
3789         const struct reserved_combo *r;
3790
3791         for (r = reserved_list; r < reserved_list + ARRAY_SIZE(reserved_list); r++) {
3792                 if (strcmp(word->data, r->literal) == 0)
3793                         return r;
3794         }
3795         return NULL;
3796 }
3797 static int reserved_word(o_string *word, struct parse_context *ctx)
3798 {
3799 #if ENABLE_HUSH_CASE
3800         static const struct reserved_combo reserved_match = {
3801                 "",        RES_MATCH, NOT_ASSIGNMENT , FLAG_MATCH | FLAG_ESAC
3802         };
3803 #endif
3804         const struct reserved_combo *r;
3805
3806         r = match_reserved_word(word);
3807         if (!r)
3808                 return 0;
3809
3810         debug_printf("found reserved word %s, res %d\n", r->literal, r->res);
3811 #if ENABLE_HUSH_CASE
3812         if (r->res == RES_IN && ctx->ctx_res_w == RES_CASE)
3813                 /* "case word IN ..." - IN part starts first match part */
3814                 r = &reserved_match;
3815         else
3816 #endif
3817         if (r->flag == 0) { /* '!' */
3818                 if (ctx->ctx_inverted) { /* bash doesn't accept '! ! true' */
3819                         syntax("! ! command");
3820                         IF_HAS_KEYWORDS(ctx->ctx_res_w = RES_SNTX;)
3821                 }
3822                 ctx->ctx_inverted = 1;
3823                 return 1;
3824         }
3825         if (r->flag & FLAG_START) {
3826                 struct parse_context *old;
3827                 old = xmalloc(sizeof(*old));
3828                 debug_printf_parse("push stack %p\n", old);
3829                 *old = *ctx;   /* physical copy */
3830                 initialize_context(ctx);
3831                 ctx->stack = old;
3832         } else if (/*ctx->ctx_res_w == RES_NONE ||*/ !(ctx->old_flag & (1 << r->res))) {
3833                 syntax(word->data);
3834                 ctx->ctx_res_w = RES_SNTX;
3835                 return 1;
3836         }
3837         ctx->ctx_res_w = r->res;
3838         ctx->old_flag = r->flag;
3839         if (ctx->old_flag & FLAG_END) {
3840                 struct parse_context *old;
3841                 done_pipe(ctx, PIPE_SEQ);
3842                 debug_printf_parse("pop stack %p\n", ctx->stack);
3843                 old = ctx->stack;
3844                 old->command->group = ctx->list_head;
3845                 old->command->grp_type = GRP_NORMAL;
3846 #if !BB_MMU
3847                 o_addstr(&old->as_string, ctx->as_string.data);
3848                 o_free_unsafe(&ctx->as_string);
3849                 old->command->group_as_string = xstrdup(old->as_string.data);
3850                 debug_printf_parse("pop, remembering as:'%s'\n",
3851                                 old->command->group_as_string);
3852 #endif
3853                 *ctx = *old;   /* physical copy */
3854                 free(old);
3855         }
3856         word->o_assignment = r->assignment_flag;
3857         return 1;
3858 }
3859 #endif
3860
3861 /* Word is complete, look at it and update parsing context.
3862  * Normal return is 0. Syntax errors return 1.
3863  * Note: on return, word is reset, but not o_free'd!
3864  */
3865 static int done_word(o_string *word, struct parse_context *ctx)
3866 {
3867         struct command *command = ctx->command;
3868
3869         debug_printf_parse("done_word entered: '%s' %p\n", word->data, command);
3870         if (word->length == 0 && word->o_quoted == 0) {
3871                 debug_printf_parse("done_word return 0: true null, ignored\n");
3872                 return 0;
3873         }
3874         /* If this word wasn't an assignment, next ones definitely
3875          * can't be assignments. Even if they look like ones. */
3876         if (word->o_assignment != DEFINITELY_ASSIGNMENT
3877          && word->o_assignment != WORD_IS_KEYWORD
3878         ) {
3879                 word->o_assignment = NOT_ASSIGNMENT;
3880         } else {
3881                 if (word->o_assignment == DEFINITELY_ASSIGNMENT)
3882                         command->assignment_cnt++;
3883                 word->o_assignment = MAYBE_ASSIGNMENT;
3884         }
3885
3886         if (ctx->pending_redirect) {
3887                 /* We do not glob in e.g. >*.tmp case. bash seems to glob here
3888                  * only if run as "bash", not "sh" */
3889                 /* http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html
3890                  * "2.7 Redirection
3891                  * ...the word that follows the redirection operator
3892                  * shall be subjected to tilde expansion, parameter expansion,
3893                  * command substitution, arithmetic expansion, and quote
3894                  * removal. Pathname expansion shall not be performed
3895                  * on the word by a non-interactive shell; an interactive
3896                  * shell may perform it, but shall do so only when
3897                  * the expansion would result in one word."
3898                  */
3899                 ctx->pending_redirect->rd_filename = xstrdup(word->data);
3900                 if (ctx->pending_redirect->rd_type == REDIRECT_HEREDOC
3901                  && word->o_quoted
3902                 ) {
3903                         ctx->pending_redirect->rd_dup |= HEREDOC_QUOTED;
3904                 }
3905                 word->o_assignment = NOT_ASSIGNMENT;
3906                 debug_printf_parse("word stored in rd_filename: '%s'\n", word->data);
3907         } else {
3908                 /* "{ echo foo; } echo bar" - bad */
3909                 /* NB: bash allows e.g.:
3910                  * if true; then { echo foo; } fi
3911                  * while if false; then false; fi do break; done
3912                  * and disallows:
3913                  * while if false; then false; fi; do; break; done
3914                  * TODO? */
3915                 if (command->group) {
3916                         syntax(word->data);
3917                         debug_printf_parse("done_word return 1: syntax error, "
3918                                         "groups and arglists don't mix\n");
3919                         return 1;
3920                 }
3921 #if HAS_KEYWORDS
3922 #if ENABLE_HUSH_CASE
3923                 if (ctx->ctx_dsemicolon
3924                  && strcmp(word->data, "esac") != 0 /* not "... pattern) cmd;; esac" */
3925                 ) {
3926                         /* already done when ctx_dsemicolon was set to 1: */
3927                         /* ctx->ctx_res_w = RES_MATCH; */
3928                         ctx->ctx_dsemicolon = 0;
3929                 } else
3930 #endif
3931                 if (!command->argv /* if it's the first word... */
3932 #if ENABLE_HUSH_LOOPS
3933                  && ctx->ctx_res_w != RES_FOR /* ...not after FOR or IN */
3934                  && ctx->ctx_res_w != RES_IN
3935 #endif
3936                 ) {
3937                         debug_printf_parse(": checking '%s' for reserved-ness\n", word->data);
3938                         if (reserved_word(word, ctx)) {
3939                                 o_reset(word);
3940                                 debug_printf_parse("done_word return %d\n",
3941                                                 (ctx->ctx_res_w == RES_SNTX));
3942                                 return (ctx->ctx_res_w == RES_SNTX);
3943                         }
3944                 }
3945 #endif
3946                 if (word->o_quoted /* word had "xx" or 'xx' at least as part of it. */
3947                  /* optimization: and if it's ("" or '') or ($v... or `cmd`...): */
3948                  && (word->data[0] == '\0' || word->data[0] == SPECIAL_VAR_SYMBOL)
3949                  /* (otherwise it's known to be not empty and is already safe) */
3950                 ) {
3951                         /* exclude "$@" - it can expand to no word despite "" */
3952                         char *p = word->data;
3953                         while (p[0] == SPECIAL_VAR_SYMBOL
3954                             && (p[1] & 0x7f) == '@'
3955                             && p[2] == SPECIAL_VAR_SYMBOL
3956                         ) {
3957                                 p += 3;
3958                         }
3959                         if (p == word->data || p[0] != '\0') {
3960                                 /* saw no "$@", or not only "$@" but some
3961                                  * real text is there too */
3962                                 /* insert "empty variable" reference, this makes
3963                                  * e.g. "", $empty"" etc to not disappear */
3964                                 o_addchr(word, SPECIAL_VAR_SYMBOL);
3965                                 o_addchr(word, SPECIAL_VAR_SYMBOL);
3966                         }
3967                 }
3968                 command->argv = add_string_to_strings(command->argv, xstrdup(word->data));
3969                 debug_print_strings("word appended to argv", command->argv);
3970         }
3971
3972         o_reset(word);
3973         ctx->pending_redirect = NULL;
3974
3975 #if ENABLE_HUSH_LOOPS
3976         /* Force FOR to have just one word (variable name) */
3977         /* NB: basically, this makes hush see "for v in ..." syntax as if
3978          * as it is "for v; in ...". FOR and IN become two pipe structs
3979          * in parse tree. */
3980         if (ctx->ctx_res_w == RES_FOR) {
3981 //TODO: check that command->argv[0] is a valid variable name!
3982                 done_pipe(ctx, PIPE_SEQ);
3983         }
3984 #endif
3985 #if ENABLE_HUSH_CASE
3986         /* Force CASE to have just one word */
3987         if (ctx->ctx_res_w == RES_CASE) {
3988                 done_pipe(ctx, PIPE_SEQ);
3989         }
3990 #endif
3991         debug_printf_parse("done_word return 0\n");
3992         return 0;
3993 }
3994
3995
3996 /* Peek ahead in the input to find out if we have a "&n" construct,
3997  * as in "2>&1", that represents duplicating a file descriptor.
3998  * Return: REDIRFD_CLOSE (-3) if >&- "close fd" construct is seen,
3999  * -2 (syntax error), -1 if no & was seen, or the number found.
4000  */
4001 #if BB_MMU
4002 #define redirect_dup_num(as_string, input) \
4003         redirect_dup_num(input)
4004 #endif
4005 static int redirect_dup_num(o_string *as_string, struct in_str *input)
4006 {
4007         int ch, d, ok;
4008
4009         ch = i_peek(input);
4010         if (ch != '&')
4011                 return -1;
4012
4013         ch = i_getch(input);  /* get the & */
4014         nommu_addchr(as_string, ch);
4015         ch = i_peek(input);
4016         if (ch == '-') {
4017                 ch = i_getch(input);
4018                 nommu_addchr(as_string, ch);
4019                 return REDIRFD_CLOSE;
4020         }
4021         d = 0;
4022         ok = 0;
4023         while (ch != EOF && isdigit(ch)) {
4024                 d = d*10 + (ch-'0');
4025                 ok = 1;
4026                 ch = i_getch(input);
4027                 nommu_addchr(as_string, ch);
4028                 ch = i_peek(input);
4029         }
4030         if (ok) return d;
4031
4032 //TODO: this is the place to catch ">&file" bashism (redirect both fd 1 and 2)
4033
4034         bb_error_msg("ambiguous redirect");
4035         return -2;
4036 }
4037
4038 /* Return code is 0 normally, 1 if a syntax error is detected
4039  */
4040 static int parse_redirect(struct parse_context *ctx,
4041                 int fd,
4042                 redir_type style,
4043                 struct in_str *input)
4044 {
4045         struct command *command = ctx->command;
4046         struct redir_struct *redir;
4047         struct redir_struct **redirp;
4048         int dup_num;
4049
4050         dup_num = -1;
4051         if (style != REDIRECT_HEREDOC) {
4052                 /* Check for a '2>&1' type redirect */
4053                 dup_num = redirect_dup_num(&ctx->as_string, input);
4054                 if (dup_num == -2)
4055                         return 1;  /* syntax error */
4056         } else {
4057                 int ch = i_peek(input);
4058                 dup_num = (ch == '-'); /* HEREDOC_SKIPTABS bit is 1 */
4059                 if (dup_num) { /* <<-... */
4060                         ch = i_getch(input);
4061                         nommu_addchr(&ctx->as_string, ch);
4062                         ch = i_peek(input);
4063                 }
4064                 /* <<[-] word is the same as <<[-]word */
4065                 while (ch == ' ' || ch == '\t') {
4066                         ch = i_getch(input);
4067                         nommu_addchr(&ctx->as_string, ch);
4068                         ch = i_peek(input);
4069                 }
4070         }
4071
4072         if (style == REDIRECT_OVERWRITE && dup_num == -1) {
4073                 int ch = i_peek(input);
4074                 if (ch == '|') {
4075                         /* >|FILE redirect ("clobbering" >).
4076                          * Since we do not support "set -o noclobber" yet,
4077                          * >| and > are the same for now. Just eat |.
4078                          */
4079                         ch = i_getch(input);
4080                         nommu_addchr(&ctx->as_string, ch);
4081                 }
4082         }
4083
4084         /* Create a new redir_struct and append it to the linked list */
4085         redirp = &command->redirects;
4086         while ((redir = *redirp) != NULL) {
4087                 redirp = &(redir->next);
4088         }
4089         *redirp = redir = xzalloc(sizeof(*redir));
4090         /* redir->next = NULL; */
4091         /* redir->rd_filename = NULL; */
4092         redir->rd_type = style;
4093         redir->rd_fd = (fd == -1) ? redir_table[style].default_fd : fd;
4094
4095         debug_printf_parse("redirect type %d %s\n", redir->rd_fd,
4096                                 redir_table[style].descrip);
4097
4098         redir->rd_dup = dup_num;
4099         if (style != REDIRECT_HEREDOC && dup_num != -1) {
4100                 /* Erik had a check here that the file descriptor in question
4101                  * is legit; I postpone that to "run time"
4102                  * A "-" representation of "close me" shows up as a -3 here */
4103                 debug_printf_parse("duplicating redirect '%d>&%d'\n",
4104                                 redir->rd_fd, redir->rd_dup);
4105         } else {
4106                 /* Set ctx->pending_redirect, so we know what to do at the
4107                  * end of the next parsed word. */
4108                 ctx->pending_redirect = redir;
4109         }
4110         return 0;
4111 }
4112
4113 /* If a redirect is immediately preceded by a number, that number is
4114  * supposed to tell which file descriptor to redirect.  This routine
4115  * looks for such preceding numbers.  In an ideal world this routine
4116  * needs to handle all the following classes of redirects...
4117  *     echo 2>foo     # redirects fd  2 to file "foo", nothing passed to echo
4118  *     echo 49>foo    # redirects fd 49 to file "foo", nothing passed to echo
4119  *     echo -2>foo    # redirects fd  1 to file "foo",    "-2" passed to echo
4120  *     echo 49x>foo   # redirects fd  1 to file "foo",   "49x" passed to echo
4121  *
4122  * http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html
4123  * "2.7 Redirection
4124  * ... If n is quoted, the number shall not be recognized as part of
4125  * the redirection expression. For example:
4126  * echo \2>a
4127  * writes the character 2 into file a"
4128  * We are getting it right by setting ->o_quoted on any \<char>
4129  *
4130  * A -1 return means no valid number was found,
4131  * the caller should use the appropriate default for this redirection.
4132  */
4133 static int redirect_opt_num(o_string *o)
4134 {
4135         int num;
4136
4137         if (o->data == NULL)
4138                 return -1;
4139         num = bb_strtou(o->data, NULL, 10);
4140         if (errno || num < 0)
4141                 return -1;
4142         o_reset(o);
4143         return num;
4144 }
4145
4146 #if BB_MMU
4147 #define fetch_till_str(as_string, input, word, skip_tabs) \
4148         fetch_till_str(input, word, skip_tabs)
4149 #endif
4150 static char *fetch_till_str(o_string *as_string,
4151                 struct in_str *input,
4152                 const char *word,
4153                 int skip_tabs)
4154 {
4155         o_string heredoc = NULL_O_STRING;
4156         int past_EOL = 0;
4157         int ch;
4158
4159         goto jump_in;
4160         while (1) {
4161                 ch = i_getch(input);
4162                 nommu_addchr(as_string, ch);
4163                 if (ch == '\n') {
4164                         if (strcmp(heredoc.data + past_EOL, word) == 0) {
4165                                 heredoc.data[past_EOL] = '\0';
4166                                 debug_printf_parse("parsed heredoc '%s'\n", heredoc.data);
4167                                 return heredoc.data;
4168                         }
4169                         do {
4170                                 o_addchr(&heredoc, ch);
4171                                 past_EOL = heredoc.length;
4172  jump_in:
4173                                 do {
4174                                         ch = i_getch(input);
4175                                         nommu_addchr(as_string, ch);
4176                                 } while (skip_tabs && ch == '\t');
4177                         } while (ch == '\n');
4178                 }
4179                 if (ch == EOF) {
4180                         o_free_unsafe(&heredoc);
4181                         return NULL;
4182                 }
4183                 o_addchr(&heredoc, ch);
4184                 nommu_addchr(as_string, ch);
4185         }
4186 }
4187
4188 /* Look at entire parse tree for not-yet-loaded REDIRECT_HEREDOCs
4189  * and load them all. There should be exactly heredoc_cnt of them.
4190  */
4191 static int fetch_heredocs(int heredoc_cnt, struct parse_context *ctx, struct in_str *input)
4192 {
4193         struct pipe *pi = ctx->list_head;
4194
4195         while (pi) {
4196                 int i;
4197                 struct command *cmd = pi->cmds;
4198
4199                 debug_printf_parse("fetch_heredocs: num_cmds:%d cmd argv0:'%s'\n",
4200                                 pi->num_cmds,
4201                                 cmd->argv ? cmd->argv[0] : "NONE");
4202                 for (i = 0; i < pi->num_cmds; i++) {
4203                         struct redir_struct *redir = cmd->redirects;
4204
4205                         debug_printf_parse("fetch_heredocs: %d cmd argv0:'%s'\n",
4206                                         i, cmd->argv ? cmd->argv[0] : "NONE");
4207                         while (redir) {
4208                                 if (redir->rd_type == REDIRECT_HEREDOC) {
4209                                         char *p;
4210
4211                                         if (heredoc_cnt <= 0) {
4212                                                 syntax("heredoc BUG 1");
4213                                                 return 1; /* error */
4214                                         }
4215                                         redir->rd_type = REDIRECT_HEREDOC2;
4216                                         /* redir->dup is (ab)used to indicate <<- */
4217                                         p = fetch_till_str(&ctx->as_string, input,
4218                                                 redir->rd_filename, redir->rd_dup & HEREDOC_SKIPTABS);
4219                                         if (!p) {
4220                                                 syntax("unexpected EOF in here document");
4221                                                 return 1;
4222                                         }
4223                                         free(redir->rd_filename);
4224                                         redir->rd_filename = p;
4225                                         heredoc_cnt--;
4226                                 }
4227                                 redir = redir->next;
4228                         }
4229                         cmd++;
4230                 }
4231                 pi = pi->next;
4232         }
4233         /* Should be 0. If it isn't, it's a parse error */
4234         if (heredoc_cnt)
4235                 syntax("heredoc BUG 2");
4236         return heredoc_cnt;
4237 }
4238
4239
4240 #if BB_MMU
4241 #define parse_stream(pstring, input, end_trigger) \
4242         parse_stream(input, end_trigger)
4243 #endif
4244 static struct pipe *parse_stream(char **pstring,
4245                 struct in_str *input,
4246                 int end_trigger);
4247 static void parse_and_run_string(const char *s);
4248
4249 #if ENABLE_HUSH_TICK
4250 static FILE *generate_stream_from_string(const char *s)
4251 {
4252         FILE *pf;
4253         int pid, channel[2];
4254
4255         xpipe(channel);
4256         pid = BB_MMU ? fork() : vfork();
4257         if (pid < 0)
4258                 bb_perror_msg_and_die(BB_MMU ? "fork" : "vfork");
4259
4260         if (pid == 0) { /* child */
4261                 disable_restore_tty_pgrp_on_exit();
4262                 /* Process substitution is not considered to be usual
4263                  * 'command execution'.
4264                  * SUSv3 says ctrl-Z should be ignored, ctrl-C should not.
4265                  */
4266                 bb_signals(0
4267                         + (1 << SIGTSTP)
4268                         + (1 << SIGTTIN)
4269                         + (1 << SIGTTOU)
4270                         , SIG_IGN);
4271                 close(channel[0]); /* NB: close _first_, then move fd! */
4272                 xmove_fd(channel[1], 1);
4273                 /* Prevent it from trying to handle ctrl-z etc */
4274                 USE_HUSH_JOB(G.run_list_level = 1;)
4275 #if BB_MMU
4276                 reset_traps_to_defaults();
4277                 parse_and_run_string(s);
4278                 _exit(G.last_exitcode);
4279 #else
4280         /* We re-execute after vfork on NOMMU. This makes this script safe:
4281          * yes "0123456789012345678901234567890" | dd bs=32 count=64k >BIG
4282          * huge=`cat BIG` # was blocking here forever
4283          * echo OK
4284          */
4285                 re_execute_shell(s, 0);
4286 #endif
4287         }
4288
4289         /* parent */
4290         enable_restore_tty_pgrp_on_exit();
4291         clean_up_after_re_execute();
4292         close(channel[1]);
4293         pf = fdopen(channel[0], "r");
4294         return pf;
4295 }
4296
4297 /* Return code is exit status of the process that is run. */
4298 static int process_command_subs(o_string *dest, const char *s)
4299 {
4300         FILE *pf;
4301         struct in_str pipe_str;
4302         int ch, eol_cnt;
4303
4304         pf = generate_stream_from_string(s);
4305         if (pf == NULL)
4306                 return 1;
4307         close_on_exec_on(fileno(pf));
4308
4309         /* Now send results of command back into original context */
4310         setup_file_in_str(&pipe_str, pf);
4311         eol_cnt = 0;
4312         while ((ch = i_getch(&pipe_str)) != EOF) {
4313                 if (ch == '\n') {
4314                         eol_cnt++;
4315                         continue;
4316                 }
4317                 while (eol_cnt) {
4318                         o_addchr(dest, '\n');
4319                         eol_cnt--;
4320                 }
4321                 o_addQchr(dest, ch);
4322         }
4323
4324         debug_printf("done reading from pipe, pclose()ing\n");
4325         /* Note: we got EOF, and we just close the read end of the pipe.
4326          * We do not wait for the `cmd` child to terminate. bash and ash do.
4327          * Try these:
4328          * echo `echo Hi; exec 1>&-; sleep 2` - bash waits 2 sec
4329          * `false`; echo $? - bash outputs "1"
4330          */
4331         fclose(pf);
4332         debug_printf("closed FILE from child. return 0\n");
4333         return 0;
4334 }
4335 #endif
4336
4337 static int parse_group(o_string *dest, struct parse_context *ctx,
4338         struct in_str *input, int ch)
4339 {
4340         /* dest contains characters seen prior to ( or {.
4341          * Typically it's empty, but for function defs,
4342          * it contains function name (without '()'). */
4343         struct pipe *pipe_list;
4344         int endch;
4345         struct command *command = ctx->command;
4346
4347         debug_printf_parse("parse_group entered\n");
4348 #if ENABLE_HUSH_FUNCTIONS
4349         if (ch == 'F') { /* function definition? */
4350                 bb_error_msg("aha '%s' is a function, parsing it...", dest->data);
4351                 //command->fname = dest->data;
4352                 command->grp_type = GRP_FUNCTION;
4353 //TODO: review every o_reset() location... do they handle all o_string fields correctly?
4354                 memset(dest, 0, sizeof(*dest));
4355         }
4356 #endif
4357         if (command->argv /* word [word](... */
4358          || dest->length /* word(... */
4359          || dest->o_quoted /* ""(... */
4360         ) {
4361                 syntax(NULL);
4362                 debug_printf_parse("parse_group return 1: "
4363                         "syntax error, groups and arglists don't mix\n");
4364                 return 1;
4365         }
4366         endch = '}';
4367         if (ch == '(') {
4368                 endch = ')';
4369                 command->grp_type = GRP_SUBSHELL;
4370         }
4371         {
4372 #if !BB_MMU
4373                 char *as_string = NULL;
4374 #endif
4375                 pipe_list = parse_stream(&as_string, input, endch);
4376 #if !BB_MMU
4377                 if (as_string)
4378                         o_addstr(&ctx->as_string, as_string);
4379 #endif
4380                 /* empty ()/{} or parse error? */
4381                 if (!pipe_list || pipe_list == ERR_PTR) {
4382 #if !BB_MMU
4383                         free(as_string);
4384 #endif
4385                         syntax(NULL);
4386                         debug_printf_parse("parse_group return 1: "
4387                                 "parse_stream returned %p\n", pipe_list);
4388                         return 1;
4389                 }
4390                 command->group = pipe_list;
4391 #if !BB_MMU
4392                 as_string[strlen(as_string) - 1] = '\0'; /* plink ')' or '}' */
4393                 command->group_as_string = as_string;
4394                 debug_printf_parse("end of group, remembering as:'%s'\n",
4395                                 command->group_as_string);
4396 #endif
4397         }
4398         debug_printf_parse("parse_group return 0\n");
4399         return 0;
4400         /* command remains "open", available for possible redirects */
4401 }
4402
4403 #if ENABLE_HUSH_TICK || ENABLE_SH_MATH_SUPPORT
4404 /* Subroutines for copying $(...) and `...` things */
4405 static void add_till_backquote(o_string *dest, struct in_str *input);
4406 /* '...' */
4407 static void add_till_single_quote(o_string *dest, struct in_str *input)
4408 {
4409         while (1) {
4410                 int ch = i_getch(input);
4411                 if (ch == EOF)
4412                         break;
4413                 if (ch == '\'')
4414                         break;
4415                 o_addchr(dest, ch);
4416         }
4417 }
4418 /* "...\"...`..`...." - do we need to handle "...$(..)..." too? */
4419 static void add_till_double_quote(o_string *dest, struct in_str *input)
4420 {
4421         while (1) {
4422                 int ch = i_getch(input);
4423                 if (ch == '"')
4424                         break;
4425                 if (ch == '\\') {  /* \x. Copy both chars. */
4426                         o_addchr(dest, ch);
4427                         ch = i_getch(input);
4428                 }
4429                 if (ch == EOF)
4430                         break;
4431                 o_addchr(dest, ch);
4432                 if (ch == '`') {
4433                         add_till_backquote(dest, input);
4434                         o_addchr(dest, ch);
4435                         continue;
4436                 }
4437                 //if (ch == '$') ...
4438         }
4439 }
4440 /* Process `cmd` - copy contents until "`" is seen. Complicated by
4441  * \` quoting.
4442  * "Within the backquoted style of command substitution, backslash
4443  * shall retain its literal meaning, except when followed by: '$', '`', or '\'.
4444  * The search for the matching backquote shall be satisfied by the first
4445  * backquote found without a preceding backslash; during this search,
4446  * if a non-escaped backquote is encountered within a shell comment,
4447  * a here-document, an embedded command substitution of the $(command)
4448  * form, or a quoted string, undefined results occur. A single-quoted
4449  * or double-quoted string that begins, but does not end, within the
4450  * "`...`" sequence produces undefined results."
4451  * Example                               Output
4452  * echo `echo '\'TEST\`echo ZZ\`BEST`    \TESTZZBEST
4453  */
4454 static void add_till_backquote(o_string *dest, struct in_str *input)
4455 {
4456         while (1) {
4457                 int ch = i_getch(input);
4458                 if (ch == '`')
4459                         break;
4460                 if (ch == '\\') {  /* \x. Copy both chars unless it is \` */
4461                         int ch2 = i_getch(input);
4462                         if (ch2 != '`' && ch2 != '$' && ch2 != '\\')
4463                                 o_addchr(dest, ch);
4464                         ch = ch2;
4465                 }
4466                 if (ch == EOF)
4467                         break;
4468                 o_addchr(dest, ch);
4469         }
4470 }
4471 /* Process $(cmd) - copy contents until ")" is seen. Complicated by
4472  * quoting and nested ()s.
4473  * "With the $(command) style of command substitution, all characters
4474  * following the open parenthesis to the matching closing parenthesis
4475  * constitute the command. Any valid shell script can be used for command,
4476  * except a script consisting solely of redirections which produces
4477  * unspecified results."
4478  * Example                              Output
4479  * echo $(echo '(TEST)' BEST)           (TEST) BEST
4480  * echo $(echo 'TEST)' BEST)            TEST) BEST
4481  * echo $(echo \(\(TEST\) BEST)         ((TEST) BEST
4482  */
4483 static void add_till_closing_paren(o_string *dest, struct in_str *input, bool dbl)
4484 {
4485         int count = 0;
4486         while (1) {
4487                 int ch = i_getch(input);
4488                 if (ch == EOF)
4489                         break;
4490                 if (ch == '(')
4491                         count++;
4492                 if (ch == ')') {
4493                         if (--count < 0) {
4494                                 if (!dbl)
4495                                         break;
4496                                 if (i_peek(input) == ')') {
4497                                         i_getch(input);
4498                                         break;
4499                                 }
4500                         }
4501                 }
4502                 o_addchr(dest, ch);
4503                 if (ch == '\'') {
4504                         add_till_single_quote(dest, input);
4505                         o_addchr(dest, ch);
4506                         continue;
4507                 }
4508                 if (ch == '"') {
4509                         add_till_double_quote(dest, input);
4510                         o_addchr(dest, ch);
4511                         continue;
4512                 }
4513                 if (ch == '\\') { /* \x. Copy verbatim. Important for  \(, \) */
4514                         ch = i_getch(input);
4515                         if (ch == EOF)
4516                                 break;
4517                         o_addchr(dest, ch);
4518                         continue;
4519                 }
4520         }
4521 }
4522 #endif /* ENABLE_HUSH_TICK || ENABLE_SH_MATH_SUPPORT */
4523
4524 /* Return code: 0 for OK, 1 for syntax error */
4525 #if BB_MMU
4526 #define handle_dollar(as_string, dest, input) \
4527         handle_dollar(dest, input)
4528 #endif
4529 static int handle_dollar(o_string *as_string,
4530                 o_string *dest,
4531                 struct in_str *input)
4532 {
4533         int expansion;
4534         int ch = i_peek(input);  /* first character after the $ */
4535         unsigned char quote_mask = dest->o_escape ? 0x80 : 0;
4536
4537         debug_printf_parse("handle_dollar entered: ch='%c'\n", ch);
4538         if (isalpha(ch)) {
4539                 ch = i_getch(input);
4540                 nommu_addchr(as_string, ch);
4541  make_var:
4542                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4543                 while (1) {
4544                         debug_printf_parse(": '%c'\n", ch);
4545                         o_addchr(dest, ch | quote_mask);
4546                         quote_mask = 0;
4547                         ch = i_peek(input);
4548                         if (!isalnum(ch) && ch != '_')
4549                                 break;
4550                         ch = i_getch(input);
4551                         nommu_addchr(as_string, ch);
4552                 }
4553                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4554         } else if (isdigit(ch)) {
4555  make_one_char_var:
4556                 ch = i_getch(input);
4557                 nommu_addchr(as_string, ch);
4558                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4559                 debug_printf_parse(": '%c'\n", ch);
4560                 o_addchr(dest, ch | quote_mask);
4561                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4562         } else switch (ch) {
4563         case '$': /* pid */
4564         case '!': /* last bg pid */
4565         case '?': /* last exit code */
4566         case '#': /* number of args */
4567         case '*': /* args */
4568         case '@': /* args */
4569                 goto make_one_char_var;
4570         case '{': {
4571                 bool first_char, all_digits;
4572
4573                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4574                 ch = i_getch(input);
4575                 nommu_addchr(as_string, ch);
4576                 /* XXX maybe someone will try to escape the '}' */
4577                 expansion = 0;
4578                 first_char = true;
4579                 all_digits = false;
4580                 while (1) {
4581                         ch = i_getch(input);
4582                         nommu_addchr(as_string, ch);
4583                         if (ch == '}')
4584                                 break;
4585
4586                         if (first_char) {
4587                                 if (ch == '#')
4588                                         /* ${#var}: length of var contents */
4589                                         goto char_ok;
4590                                 else if (isdigit(ch)) {
4591                                         all_digits = true;
4592                                         goto char_ok;
4593                                 }
4594                         }
4595
4596                         if (expansion < 2
4597                          && (  (all_digits && !isdigit(ch))
4598                             || (!all_digits && !isalnum(ch) && ch != '_')
4599                             )
4600                         ) {
4601                                 /* handle parameter expansions
4602                                  * http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html#tag_02_06_02
4603                                  */
4604                                 if (first_char)
4605                                         goto case_default;
4606                                 switch (ch) {
4607                                 case ':': /* null modifier */
4608                                         if (expansion == 0) {
4609                                                 debug_printf_parse(": null modifier\n");
4610                                                 ++expansion;
4611                                                 break;
4612                                         }
4613                                         goto case_default;
4614                                 case '#': /* remove prefix */
4615                                 case '%': /* remove suffix */
4616                                         if (expansion == 0) {
4617                                                 debug_printf_parse(": remove suffix/prefix\n");
4618                                                 expansion = 2;
4619                                                 break;
4620                                         }
4621                                         goto case_default;
4622                                 case '-': /* default value */
4623                                 case '=': /* assign default */
4624                                 case '+': /* alternative */
4625                                 case '?': /* error indicate */
4626                                         debug_printf_parse(": parameter expansion\n");
4627                                         expansion = 2;
4628                                         break;
4629                                 default:
4630                                 case_default:
4631                                         syntax("unterminated ${name}");
4632                                         debug_printf_parse("handle_dollar return 1: unterminated ${name}\n");
4633                                         return 1;
4634                                 }
4635                         }
4636  char_ok:
4637                         debug_printf_parse(": '%c'\n", ch);
4638                         o_addchr(dest, ch | quote_mask);
4639                         quote_mask = 0;
4640                         first_char = false;
4641                 }
4642                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4643                 break;
4644         }
4645 #if (ENABLE_SH_MATH_SUPPORT || ENABLE_HUSH_TICK)
4646         case '(': {
4647 # if !BB_MMU
4648                 int pos;
4649 # endif
4650                 ch = i_getch(input);
4651                 nommu_addchr(as_string, ch);
4652 # if ENABLE_SH_MATH_SUPPORT
4653                 if (i_peek(input) == '(') {
4654                         ch = i_getch(input);
4655                         nommu_addchr(as_string, ch);
4656                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
4657                         o_addchr(dest, /*quote_mask |*/ '+');
4658 #  if !BB_MMU
4659                         pos = dest->length;
4660 #  endif
4661                         add_till_closing_paren(dest, input, true);
4662 #  if !BB_MMU
4663                         if (as_string) {
4664                                 o_addstr(as_string, dest->data + pos);
4665                                 o_addchr(as_string, ')');
4666                                 o_addchr(as_string, ')');
4667                         }
4668 #  endif
4669                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
4670                         break;
4671                 }
4672 # endif
4673 # if ENABLE_HUSH_TICK
4674                 //int pos = dest->length;
4675                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4676                 o_addchr(dest, quote_mask | '`');
4677 #  if !BB_MMU
4678                 pos = dest->length;
4679 #  endif
4680                 add_till_closing_paren(dest, input, false);
4681 #  if !BB_MMU
4682                 if (as_string) {
4683                         o_addstr(as_string, dest->data + pos);
4684                         o_addchr(as_string, '`');
4685                 }
4686 #  endif
4687                 //debug_printf_subst("SUBST RES2 '%s'\n", dest->data + pos);
4688                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4689 # endif
4690                 break;
4691         }
4692 #endif
4693         case '_':
4694                 ch = i_getch(input);
4695                 nommu_addchr(as_string, ch);
4696                 ch = i_peek(input);
4697                 if (isalnum(ch)) { /* it's $_name or $_123 */
4698                         ch = '_';
4699                         goto make_var;
4700                 }
4701                 /* else: it's $_ */
4702         /* TODO: */
4703         /* $_ Shell or shell script name; or last cmd name */
4704         /* $- Option flags set by set builtin or shell options (-i etc) */
4705         default:
4706                 o_addQchr(dest, '$');
4707         }
4708         debug_printf_parse("handle_dollar return 0\n");
4709         return 0;
4710 }
4711
4712 #if BB_MMU
4713 #define parse_stream_dquoted(as_string, dest, input, dquote_end) \
4714         parse_stream_dquoted(dest, input, dquote_end)
4715 #endif
4716 static int parse_stream_dquoted(o_string *as_string,
4717                 o_string *dest,
4718                 struct in_str *input,
4719                 int dquote_end)
4720 {
4721         int ch;
4722         int next;
4723
4724  again:
4725         ch = i_getch(input);
4726         if (ch != EOF)
4727                 nommu_addchr(as_string, ch);
4728         if (ch == dquote_end) { /* may be only '"' or EOF */
4729                 if (dest->o_assignment == NOT_ASSIGNMENT)
4730                         dest->o_escape ^= 1;
4731                 debug_printf_parse("parse_stream_dquoted return 0\n");
4732                 return 0;
4733         }
4734         /* note: can't move it above ch == dquote_end check! */
4735         if (ch == EOF) {
4736                 syntax("unterminated \"");
4737                 debug_printf_parse("parse_stream_dquoted return 1: unterminated \"\n");
4738                 return 1;
4739         }
4740         next = '\0';
4741         if (ch != '\n') {
4742                 next = i_peek(input);
4743         }
4744         debug_printf_parse(": ch=%c (%d) escape=%d\n",
4745                                         ch, ch, dest->o_escape);
4746         if (ch == '\\') {
4747                 if (next == EOF) {
4748                         syntax("\\<eof>");
4749                         debug_printf_parse("parse_stream_dquoted return 1: \\<eof>\n");
4750                         return 1;
4751                 }
4752                 /* bash:
4753                  * "The backslash retains its special meaning [in "..."]
4754                  * only when followed by one of the following characters:
4755                  * $, `, ", \, or <newline>.  A double quote may be quoted
4756                  * within double quotes by preceding it with a backslash.
4757                  * If enabled, history expansion will be performed unless
4758                  * an ! appearing in double quotes is escaped using
4759                  * a backslash. The backslash preceding the ! is not removed."
4760                  */
4761                 if (strchr("$`\"\\", next) != NULL) {
4762                         o_addqchr(dest, i_getch(input));
4763                 } else {
4764                         o_addqchr(dest, '\\');
4765                 }
4766                 goto again;
4767         }
4768         if (ch == '$') {
4769                 if (handle_dollar(as_string, dest, input) != 0) {
4770                         debug_printf_parse("parse_stream_dquoted return 1: "
4771                                         "handle_dollar returned non-0\n");
4772                         return 1;
4773                 }
4774                 goto again;
4775         }
4776 #if ENABLE_HUSH_TICK
4777         if (ch == '`') {
4778                 //int pos = dest->length;
4779                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4780                 o_addchr(dest, 0x80 | '`');
4781                 add_till_backquote(dest, input);
4782                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
4783                 //debug_printf_subst("SUBST RES3 '%s'\n", dest->data + pos);
4784                 goto again;
4785         }
4786 #endif
4787         o_addQchr(dest, ch);
4788         if (ch == '='
4789          && (dest->o_assignment == MAYBE_ASSIGNMENT
4790             || dest->o_assignment == WORD_IS_KEYWORD)
4791          && is_assignment(dest->data)
4792         ) {
4793                 dest->o_assignment = DEFINITELY_ASSIGNMENT;
4794         }
4795         goto again;
4796 }
4797
4798 /*
4799  * Scan input until EOF or end_trigger char.
4800  * Return a list of pipes to execute, or NULL on EOF
4801  * or if end_trigger character is met.
4802  * On syntax error, exit is shell is not interactive,
4803  * reset parsing machinery and start parsing anew,
4804  * or return ERR_PTR.
4805  */
4806 static struct pipe *parse_stream(char **pstring,
4807                 struct in_str *input,
4808                 int end_trigger)
4809 {
4810         struct parse_context ctx;
4811         o_string dest = NULL_O_STRING;
4812         int is_in_dquote;
4813         int heredoc_cnt;
4814
4815         /* Double-quote state is handled in the state variable is_in_dquote.
4816          * A single-quote triggers a bypass of the main loop until its mate is
4817          * found.  When recursing, quote state is passed in via dest->o_escape.
4818          */
4819         debug_printf_parse("parse_stream entered, end_trigger='%c'\n",
4820                         end_trigger ? : 'X');
4821
4822         G.ifs = get_local_var_value("IFS");
4823         if (G.ifs == NULL)
4824                 G.ifs = " \t\n";
4825
4826  reset:
4827 #if ENABLE_HUSH_INTERACTIVE
4828         input->promptmode = 0; /* PS1 */
4829 #endif
4830         /* dest.o_assignment = MAYBE_ASSIGNMENT; - already is */
4831         initialize_context(&ctx);
4832         is_in_dquote = 0;
4833         heredoc_cnt = 0;
4834         while (1) {
4835                 const char *is_ifs;
4836                 const char *is_special;
4837                 int ch;
4838                 int next;
4839                 int redir_fd;
4840                 redir_type redir_style;
4841
4842                 if (is_in_dquote) {
4843                         /* dest.o_quoted = 1; - already is (see below) */
4844                         if (parse_stream_dquoted(&ctx.as_string, &dest, input, '"')) {
4845                                 goto parse_error;
4846                         }
4847                         /* We reached closing '"' */
4848                         is_in_dquote = 0;
4849                 }
4850                 ch = i_getch(input);
4851                 debug_printf_parse(": ch=%c (%d) escape=%d\n",
4852                                                 ch, ch, dest.o_escape);
4853                 if (ch == EOF) {
4854                         struct pipe *pi;
4855
4856                         if (heredoc_cnt) {
4857                                 syntax("unterminated here document");
4858                                 goto parse_error;
4859                         }
4860                         if (done_word(&dest, &ctx)) {
4861                                 goto parse_error;
4862                         }
4863                         o_free(&dest);
4864                         done_pipe(&ctx, PIPE_SEQ);
4865                         pi = ctx.list_head;
4866                         /* If we got nothing... */
4867 // TODO: test script consisting of just "&"
4868                         if (pi->num_cmds == 0
4869                             IF_HAS_KEYWORDS( && pi->res_word == RES_NONE)
4870                         ) {
4871                                 free_pipe_list(pi, 0);
4872                                 pi = NULL;
4873                         }
4874                         debug_printf_parse("parse_stream return %p\n", pi);
4875 #if !BB_MMU
4876                         debug_printf_parse("as_string '%s'\n", ctx.as_string.data);
4877                         if (pstring)
4878                                 *pstring = ctx.as_string.data;
4879                         else
4880                                 o_free_unsafe(&ctx.as_string);
4881 #endif
4882                         return pi;
4883                 }
4884                 nommu_addchr(&ctx.as_string, ch);
4885                 is_ifs = strchr(G.ifs, ch);
4886                 is_special = strchr("<>;&|(){}#'" /* special outside of "str" */
4887                                 "\\$\"" USE_HUSH_TICK("`") /* always special */
4888                                 , ch);
4889
4890                 if (!is_special && !is_ifs) { /* ordinary char */
4891                         o_addQchr(&dest, ch);
4892                         if ((dest.o_assignment == MAYBE_ASSIGNMENT
4893                             || dest.o_assignment == WORD_IS_KEYWORD)
4894                          && ch == '='
4895                          && is_assignment(dest.data)
4896                         ) {
4897                                 dest.o_assignment = DEFINITELY_ASSIGNMENT;
4898                         }
4899                         continue;
4900                 }
4901
4902                 if (is_ifs) {
4903                         if (done_word(&dest, &ctx)) {
4904                                 goto parse_error;
4905                         }
4906                         if (ch == '\n') {
4907 #if ENABLE_HUSH_CASE
4908                                 /* "case ... in <newline> word) ..." -
4909                                  * newlines are ignored (but ';' wouldn't be) */
4910                                 if (ctx.command->argv == NULL
4911                                  && ctx.ctx_res_w == RES_MATCH
4912                                 ) {
4913                                         continue;
4914                                 }
4915 #endif
4916                                 /* Treat newline as a command separator. */
4917                                 done_pipe(&ctx, PIPE_SEQ);
4918                                 debug_printf_parse("heredoc_cnt:%d\n", heredoc_cnt);
4919                                 if (heredoc_cnt) {
4920                                         if (fetch_heredocs(heredoc_cnt, &ctx, input)) {
4921                                                 goto parse_error;
4922                                         }
4923                                         heredoc_cnt = 0;
4924                                 }
4925                                 dest.o_assignment = MAYBE_ASSIGNMENT;
4926                                 ch = ';';
4927                                 /* note: if (is_ifs) continue;
4928                                  * will still trigger for us */
4929                         }
4930                 }
4931                 if (end_trigger && end_trigger == ch
4932                  && (heredoc_cnt == 0 || end_trigger != ';')
4933                 ) {
4934 //TODO: disallow "{ cmd }" without semicolon
4935                         if (heredoc_cnt) {
4936                                 /* This is technically valid:
4937                                  * { cat <<HERE; }; echo Ok
4938                                  * heredoc
4939                                  * heredoc
4940                                  * heredoc
4941                                  * HERE
4942                                  * but we don't support this.
4943                                  * We require heredoc to be in enclosing {}/(),
4944                                  * if any.
4945                                  */
4946                                 syntax("unterminated here document");
4947                                 goto parse_error;
4948                         }
4949                         if (done_word(&dest, &ctx)) {
4950                                 goto parse_error;
4951                         }
4952                         done_pipe(&ctx, PIPE_SEQ);
4953                         dest.o_assignment = MAYBE_ASSIGNMENT;
4954                         /* Do we sit outside of any if's, loops or case's? */
4955                         if (!HAS_KEYWORDS
4956                          IF_HAS_KEYWORDS(|| (ctx.ctx_res_w == RES_NONE && ctx.old_flag == 0))
4957                         ) {
4958                                 debug_printf_parse("parse_stream return %p: "
4959                                                 "end_trigger char found\n",
4960                                                 ctx.list_head);
4961                                 o_free(&dest);
4962 #if !BB_MMU
4963                                 debug_printf_parse("as_string '%s'\n", ctx.as_string.data);
4964                                 if (pstring)
4965                                         *pstring = ctx.as_string.data;
4966                                 else
4967                                         o_free_unsafe(&ctx.as_string);
4968 #endif
4969                                 return ctx.list_head;
4970                         }
4971                 }
4972                 if (is_ifs)
4973                         continue;
4974
4975                 if (dest.o_assignment == MAYBE_ASSIGNMENT) {
4976                         /* ch is a special char and thus this word
4977                          * cannot be an assignment */
4978                         dest.o_assignment = NOT_ASSIGNMENT;
4979                 }
4980
4981                 next = '\0';
4982                 if (ch != '\n') {
4983                         next = i_peek(input);
4984                 }
4985
4986                 switch (ch) {
4987                 case '#':
4988                         if (dest.length == 0) {
4989                                 while (1) {
4990                                         ch = i_peek(input);
4991                                         if (ch == EOF || ch == '\n')
4992                                                 break;
4993                                         i_getch(input);
4994                                         /* note: we do not add it to &ctx.as_string */
4995                                 }
4996                                 nommu_addchr(&ctx.as_string, '\n');
4997                         } else {
4998                                 o_addQchr(&dest, ch);
4999                         }
5000                         break;
5001                 case '\\':
5002                         if (next == EOF) {
5003                                 syntax("\\<eof>");
5004                                 goto parse_error;
5005                         }
5006                         o_addchr(&dest, '\\');
5007                         ch = i_getch(input);
5008                         nommu_addchr(&ctx.as_string, ch);
5009                         o_addchr(&dest, ch);
5010                         /* Example: echo Hello \2>file
5011                          * we need to know that word 2 is quoted */
5012                         dest.o_quoted = 1;
5013                         break;
5014                 case '$':
5015                         if (handle_dollar(&ctx.as_string, &dest, input) != 0) {
5016                                 debug_printf_parse("parse_stream parse error: "
5017                                         "handle_dollar returned non-0\n");
5018                                 goto parse_error;
5019                         }
5020                         break;
5021                 case '\'':
5022                         dest.o_quoted = 1;
5023                         while (1) {
5024                                 ch = i_getch(input);
5025                                 if (ch == EOF) {
5026                                         syntax("unterminated '");
5027                                         goto parse_error;
5028                                 }
5029                                 nommu_addchr(&ctx.as_string, ch);
5030                                 if (ch == '\'')
5031                                         break;
5032                                 if (dest.o_assignment == NOT_ASSIGNMENT)
5033                                         o_addqchr(&dest, ch);
5034                                 else
5035                                         o_addchr(&dest, ch);
5036                         }
5037                         break;
5038                 case '"':
5039                         dest.o_quoted = 1;
5040                         is_in_dquote ^= 1; /* invert */
5041                         if (dest.o_assignment == NOT_ASSIGNMENT)
5042                                 dest.o_escape ^= 1;
5043                         break;
5044 #if ENABLE_HUSH_TICK
5045                 case '`': {
5046                         //int pos = dest.length;
5047                         o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5048                         o_addchr(&dest, '`');
5049                         add_till_backquote(&dest, input);
5050                         o_addchr(&dest, SPECIAL_VAR_SYMBOL);
5051                         //debug_printf_subst("SUBST RES3 '%s'\n", dest.data + pos);
5052                         break;
5053                 }
5054 #endif
5055                 case '>':
5056                         redir_fd = redirect_opt_num(&dest);
5057                         if (done_word(&dest, &ctx)) {
5058                                 goto parse_error;
5059                         }
5060                         redir_style = REDIRECT_OVERWRITE;
5061                         if (next == '>') {
5062                                 redir_style = REDIRECT_APPEND;
5063                                 ch = i_getch(input);
5064                                 nommu_addchr(&ctx.as_string, ch);
5065                         }
5066 #if 0
5067                         else if (next == '(') {
5068                                 syntax(">(process) not supported");
5069                                 goto parse_error;
5070                         }
5071 #endif
5072                         if (parse_redirect(&ctx, redir_fd, redir_style, input))
5073                                 goto parse_error;
5074                         break;
5075                 case '<':
5076                         redir_fd = redirect_opt_num(&dest);
5077                         if (done_word(&dest, &ctx)) {
5078                                 goto parse_error;
5079                         }
5080                         redir_style = REDIRECT_INPUT;
5081                         if (next == '<') {
5082                                 redir_style = REDIRECT_HEREDOC;
5083                                 heredoc_cnt++;
5084                                 debug_printf_parse("++heredoc_cnt=%d\n", heredoc_cnt);
5085                                 ch = i_getch(input);
5086                                 nommu_addchr(&ctx.as_string, ch);
5087                         } else if (next == '>') {
5088                                 redir_style = REDIRECT_IO;
5089                                 ch = i_getch(input);
5090                                 nommu_addchr(&ctx.as_string, ch);
5091                         }
5092 #if 0
5093                         else if (next == '(') {
5094                                 syntax("<(process) not supported");
5095                                 goto parse_error;
5096                         }
5097 #endif
5098                         if (parse_redirect(&ctx, redir_fd, redir_style, input))
5099                                 goto parse_error;
5100                         break;
5101                 case ';':
5102 #if ENABLE_HUSH_CASE
5103  case_semi:
5104 #endif
5105                         if (done_word(&dest, &ctx)) {
5106                                 goto parse_error;
5107                         }
5108                         done_pipe(&ctx, PIPE_SEQ);
5109 #if ENABLE_HUSH_CASE
5110                         /* Eat multiple semicolons, detect
5111                          * whether it means something special */
5112                         while (1) {
5113                                 ch = i_peek(input);
5114                                 if (ch != ';')
5115                                         break;
5116                                 ch = i_getch(input);
5117                                 nommu_addchr(&ctx.as_string, ch);
5118                                 if (ctx.ctx_res_w == RES_CASEI) {
5119                                         ctx.ctx_dsemicolon = 1;
5120                                         ctx.ctx_res_w = RES_MATCH;
5121                                         break;
5122                                 }
5123                         }
5124 #endif
5125  new_cmd:
5126                         /* We just finished a cmd. New one may start
5127                          * with an assignment */
5128                         dest.o_assignment = MAYBE_ASSIGNMENT;
5129                         break;
5130                 case '&':
5131                         if (done_word(&dest, &ctx)) {
5132                                 goto parse_error;
5133                         }
5134                         if (next == '&') {
5135                                 ch = i_getch(input);
5136                                 nommu_addchr(&ctx.as_string, ch);
5137                                 done_pipe(&ctx, PIPE_AND);
5138                         } else {
5139                                 done_pipe(&ctx, PIPE_BG);
5140                         }
5141                         goto new_cmd;
5142                 case '|':
5143                         if (done_word(&dest, &ctx)) {
5144                                 goto parse_error;
5145                         }
5146 #if ENABLE_HUSH_CASE
5147                         if (ctx.ctx_res_w == RES_MATCH)
5148                                 break; /* we are in case's "word | word)" */
5149 #endif
5150                         if (next == '|') { /* || */
5151                                 ch = i_getch(input);
5152                                 nommu_addchr(&ctx.as_string, ch);
5153                                 done_pipe(&ctx, PIPE_OR);
5154                         } else {
5155                                 /* we could pick up a file descriptor choice here
5156                                  * with redirect_opt_num(), but bash doesn't do it.
5157                                  * "echo foo 2| cat" yields "foo 2". */
5158                                 done_command(&ctx);
5159                         }
5160                         goto new_cmd;
5161                 case '(':
5162 #if ENABLE_HUSH_CASE
5163                         /* "case... in [(]word)..." - skip '(' */
5164                         if (ctx.ctx_res_w == RES_MATCH
5165                          && ctx.command->argv == NULL /* not (word|(... */
5166                          && dest.length == 0 /* not word(... */
5167                          && dest.o_quoted == 0 /* not ""(... */
5168                         ) {
5169                                 continue;
5170                         }
5171 #endif
5172 #if ENABLE_HUSH_FUNCTIONS
5173                         if (dest.length != 0 /* not just () but word() */
5174                          && dest.o_quoted == 0 /* not a"b"c() */
5175                          && ctx.command->argv == NULL /* it's the first word */
5176 //TODO: "func ( ) {...}" - note spaces - is valid format too in bash
5177                          && i_peek(input) == ')'
5178                          && !match_reserved_word(&dest)
5179                         ) {
5180                                 bb_error_msg("seems like a function definition");
5181                                 i_getch(input);
5182 //if !BB_MMU o_addchr(&ctx.as_string...
5183                                 do {
5184 //TODO: do it properly.
5185                                         ch = i_getch(input);
5186                                 } while (ch == ' ' || ch == '\n');
5187                                 if (ch != '{') {
5188                                         syntax("was expecting {");
5189                                         goto parse_error;
5190                                 }
5191                                 ch = 'F'; /* magic value */
5192                         }
5193 #endif
5194                 case '{':
5195                         if (parse_group(&dest, &ctx, input, ch) != 0) {
5196                                 goto parse_error;
5197                         }
5198                         goto new_cmd;
5199                 case ')':
5200 #if ENABLE_HUSH_CASE
5201                         if (ctx.ctx_res_w == RES_MATCH)
5202                                 goto case_semi;
5203 #endif
5204                 case '}':
5205                         /* proper use of this character is caught by end_trigger:
5206                          * if we see {, we call parse_group(..., end_trigger='}')
5207                          * and it will match } earlier (not here). */
5208                         syntax("unexpected } or )");
5209                         goto parse_error;
5210                 default:
5211                         if (HUSH_DEBUG)
5212                                 bb_error_msg_and_die("BUG: unexpected %c\n", ch);
5213                 }
5214         } /* while (1) */
5215
5216  parse_error:
5217         {
5218                 struct parse_context *pctx;
5219                 IF_HAS_KEYWORDS(struct parse_context *p2;)
5220
5221                 /* Clean up allocated tree.
5222                  * Samples for finding leaks on syntax error recovery path.
5223                  * Run them from interactive shell, watch pmap `pidof hush`.
5224                  * while if false; then false; fi do break; done
5225                  * (bash accepts it)
5226                  * while if false; then false; fi; do break; fi
5227                  * Samples to catch leaks at execution:
5228                  * while if (true | {true;}); then echo ok; fi; do break; done
5229                  * while if (true | {true;}); then echo ok; fi; do (if echo ok; break; then :; fi) | cat; break; done
5230                  */
5231                 pctx = &ctx;
5232                 do {
5233                         /* Update pipe/command counts,
5234                          * otherwise freeing may miss some */
5235                         done_pipe(pctx, PIPE_SEQ);
5236                         debug_printf_clean("freeing list %p from ctx %p\n",
5237                                         pctx->list_head, pctx);
5238                         debug_print_tree(pctx->list_head, 0);
5239                         free_pipe_list(pctx->list_head, 0);
5240                         debug_printf_clean("freed list %p\n", pctx->list_head);
5241 #if !BB_MMU
5242                         o_free_unsafe(&pctx->as_string);
5243 #endif
5244                         IF_HAS_KEYWORDS(p2 = pctx->stack;)
5245                         if (pctx != &ctx) {
5246                                 free(pctx);
5247                         }
5248                         IF_HAS_KEYWORDS(pctx = p2;)
5249                 } while (HAS_KEYWORDS && pctx);
5250                 /* Free text, clear all dest fields */
5251                 o_free(&dest);
5252                 /* If we are not in top-level parse, we return,
5253                  * our caller will propagate error.
5254                  */
5255                 if (end_trigger != ';') {
5256 #if !BB_MMU
5257                         if (pstring)
5258                                 *pstring = NULL;
5259 #endif
5260                         return ERR_PTR;
5261                 }
5262                 /* Discard cached input, force prompt */
5263                 input->p = NULL;
5264                 USE_HUSH_INTERACTIVE(input->promptme = 1;)
5265                 goto reset;
5266         }
5267 }
5268
5269 /* Executing from string: eval, sh -c '...'
5270  *          or from file: /etc/profile, . file, sh <script>, sh (intereactive)
5271  * end_trigger controls how often we stop parsing
5272  * NUL: parse all, execute, return
5273  * ';': parse till ';' or newline, execute, repeat till EOF
5274  */
5275 static void parse_and_run_stream(struct in_str *inp, int end_trigger)
5276 {
5277         while (1) {
5278                 struct pipe *pipe_list;
5279
5280                 pipe_list = parse_stream(NULL, inp, end_trigger);
5281                 if (!pipe_list) /* EOF */
5282                         break;
5283                 debug_print_tree(pipe_list, 0);
5284                 debug_printf_exec("parse_and_run_stream: run_and_free_list\n");
5285                 run_and_free_list(pipe_list);
5286         }
5287 }
5288
5289 static void parse_and_run_string(const char *s)
5290 {
5291         struct in_str input;
5292         setup_string_in_str(&input, s);
5293         parse_and_run_stream(&input, '\0');
5294 }
5295
5296 static void parse_and_run_file(FILE *f)
5297 {
5298         struct in_str input;
5299         setup_file_in_str(&input, f);
5300         parse_and_run_stream(&input, ';');
5301 }
5302
5303 /* Called a few times only (or even once if "sh -c") */
5304 static void block_signals(int second_time)
5305 {
5306         unsigned sig;
5307         unsigned mask;
5308
5309         mask = (1 << SIGQUIT);
5310         if (G_interactive_fd) {
5311                 mask = 0
5312                         | (1 << SIGQUIT)
5313                         | (1 << SIGTERM)
5314 //TODO                  | (1 << SIGHUP)
5315 #if ENABLE_HUSH_JOB
5316                         | (1 << SIGTTIN) | (1 << SIGTTOU) | (1 << SIGTSTP)
5317 #endif
5318                         | (1 << SIGINT)
5319                 ;
5320         }
5321         G.non_DFL_mask = mask;
5322
5323         if (!second_time)
5324                 sigprocmask(SIG_SETMASK, NULL, &G.blocked_set);
5325         sig = 0;
5326         while (mask) {
5327                 if (mask & 1)
5328                         sigaddset(&G.blocked_set, sig);
5329                 mask >>= 1;
5330                 sig++;
5331         }
5332         sigdelset(&G.blocked_set, SIGCHLD);
5333
5334         sigprocmask(SIG_SETMASK, &G.blocked_set,
5335                         second_time ? NULL : &G.inherited_set);
5336         /* POSIX allows shell to re-enable SIGCHLD
5337          * even if it was SIG_IGN on entry */
5338 //      G.count_SIGCHLD++; /* ensure it is != G.handled_SIGCHLD */
5339         if (!second_time)
5340                 signal(SIGCHLD, SIG_DFL); // SIGCHLD_handler);
5341 }
5342
5343 #if ENABLE_HUSH_JOB
5344 /* helper */
5345 static void maybe_set_to_sigexit(int sig)
5346 {
5347         void (*handler)(int);
5348         /* non_DFL_mask'ed signals are, well, masked,
5349          * no need to set handler for them.
5350          */
5351         if (!((G.non_DFL_mask >> sig) & 1)) {
5352                 handler = signal(sig, sigexit);
5353                 if (handler == SIG_IGN) /* oops... restore back to IGN! */
5354                         signal(sig, handler);
5355         }
5356 }
5357 /* Set handlers to restore tty pgrp and exit */
5358 static void set_fatal_handlers(void)
5359 {
5360         /* We _must_ restore tty pgrp on fatal signals */
5361         if (HUSH_DEBUG) {
5362                 maybe_set_to_sigexit(SIGILL );
5363                 maybe_set_to_sigexit(SIGFPE );
5364                 maybe_set_to_sigexit(SIGBUS );
5365                 maybe_set_to_sigexit(SIGSEGV);
5366                 maybe_set_to_sigexit(SIGTRAP);
5367         } /* else: hush is perfect. what SEGV? */
5368         maybe_set_to_sigexit(SIGABRT);
5369         /* bash 3.2 seems to handle these just like 'fatal' ones */
5370         maybe_set_to_sigexit(SIGPIPE);
5371         maybe_set_to_sigexit(SIGALRM);
5372 //TODO: disable and move down when proper SIGHUP handling is added
5373         maybe_set_to_sigexit(SIGHUP );
5374         /* if we are interactive, [SIGHUP,] SIGTERM and SIGINT are masked.
5375          * if we aren't interactive... but in this case
5376          * we never want to restore pgrp on exit, and this fn is not called */
5377         /*maybe_set_to_sigexit(SIGTERM);*/
5378         /*maybe_set_to_sigexit(SIGINT );*/
5379 }
5380 #endif
5381
5382 static int set_mode(const char cstate, const char mode)
5383 {
5384         int state = (cstate == '-' ? 1 : 0);
5385         switch (mode) {
5386                 case 'n': G.fake_mode = state; break;
5387                 case 'x': /*G.debug_mode = state;*/ break;
5388                 default:  return EXIT_FAILURE;
5389         }
5390         return EXIT_SUCCESS;
5391 }
5392
5393 int hush_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
5394 int hush_main(int argc, char **argv)
5395 {
5396         static const struct variable const_shell_ver = {
5397                 .next = NULL,
5398                 .varstr = (char*)hush_version_str,
5399                 .max_len = 1, /* 0 can provoke free(name) */
5400                 .flg_export = 1,
5401                 .flg_read_only = 1,
5402         };
5403         int signal_mask_is_inited = 0;
5404         int opt;
5405         char **e;
5406         struct variable *cur_var;
5407
5408         INIT_G();
5409         if (EXIT_SUCCESS) /* if EXIT_SUCCESS == 0, is already done */
5410                 G.last_exitcode = EXIT_SUCCESS;
5411 #if !BB_MMU
5412         G.argv0_for_re_execing = argv[0];
5413 #endif
5414         /* Deal with HUSH_VERSION */
5415         G.shell_ver = const_shell_ver; /* copying struct here */
5416         G.top_var = &G.shell_ver;
5417         debug_printf_env("unsetenv '%s'\n", "HUSH_VERSION");
5418         unsetenv("HUSH_VERSION"); /* in case it exists in initial env */
5419         /* Initialize our shell local variables with the values
5420          * currently living in the environment */
5421         cur_var = G.top_var;
5422         e = environ;
5423         if (e) while (*e) {
5424                 char *value = strchr(*e, '=');
5425                 if (value) { /* paranoia */
5426                         cur_var->next = xzalloc(sizeof(*cur_var));
5427                         cur_var = cur_var->next;
5428                         cur_var->varstr = *e;
5429                         cur_var->max_len = strlen(*e);
5430                         cur_var->flg_export = 1;
5431                 }
5432                 e++;
5433         }
5434         debug_printf_env("putenv '%s'\n", hush_version_str);
5435         putenv((char *)hush_version_str); /* reinstate HUSH_VERSION */
5436 #if ENABLE_FEATURE_EDITING
5437         G.line_input_state = new_line_input_t(FOR_SHELL);
5438 #endif
5439         G.global_argc = argc;
5440         G.global_argv = argv;
5441         /* Initialize some more globals to non-zero values */
5442         set_cwd();
5443 #if ENABLE_HUSH_INTERACTIVE
5444         if (ENABLE_FEATURE_EDITING)
5445                 cmdedit_set_initial_prompt();
5446         G.PS2 = "> ";
5447 #endif
5448
5449         /* Shell is non-interactive at first. We need to call
5450          * block_signals(0) if we are going to execute "sh <script>",
5451          * "sh -c <cmds>" or login shell's /etc/profile and friends.
5452          * If we later decide that we are interactive, we run block_signals(0)
5453          * (or re-run block_signals(1) if we ran block_signals(0) before)
5454          * in order to intercept (more) signals.
5455          */
5456
5457         /* Parse options */
5458         /* http://www.opengroup.org/onlinepubs/9699919799/utilities/sh.html */
5459         while (1) {
5460                 opt = getopt(argc, argv, "c:xins"
5461 #if !BB_MMU
5462                                 "<:$:!:?:D:R:V:"
5463 #endif
5464                 );
5465                 if (opt <= 0)
5466                         break;
5467                 switch (opt) {
5468                 case 'c':
5469                         if (!G.root_pid)
5470                                 G.root_pid = getpid();
5471                         G.global_argv = argv + optind;
5472                         if (!argv[optind]) {
5473                                 /* -c 'script' (no params): prevent empty $0 */
5474                                 *--G.global_argv = argv[0];
5475                                 optind--;
5476                         } /* else -c 'script' PAR0 PAR1: $0 is PAR0 */
5477                         G.global_argc = argc - optind;
5478                         block_signals(0); /* 0: called 1st time */
5479                         parse_and_run_string(optarg);
5480                         goto final_return;
5481                 case 'i':
5482                         /* Well, we cannot just declare interactiveness,
5483                          * we have to have some stuff (ctty, etc) */
5484                         /* G_interactive_fd++; */
5485                         break;
5486                 case 's':
5487                         /* "-s" means "read from stdin", but this is how we always
5488                          * operate, so simply do nothing here. */
5489                         break;
5490 #if !BB_MMU
5491                 case '<': /* "big heredoc" support */
5492                         full_write(STDOUT_FILENO, optarg, strlen(optarg));
5493                         _exit(0);
5494                 case '$':
5495                         G.root_pid = bb_strtou(optarg, &optarg, 16);
5496                         optarg++;
5497                         G.last_bg_pid = bb_strtou(optarg, &optarg, 16);
5498                         optarg++;
5499                         G.last_exitcode = bb_strtou(optarg, &optarg, 16);
5500 # if ENABLE_HUSH_LOOPS
5501                         optarg++;
5502                         G.depth_of_loop = bb_strtou(optarg, &optarg, 16);
5503 # endif
5504                         break;
5505                 case 'R':
5506                 case 'V':
5507                         set_local_var(xstrdup(optarg), 0, opt == 'R');
5508                         break;
5509 #endif
5510                 case 'n':
5511                 case 'x':
5512                         if (!set_mode('-', opt))
5513                                 break;
5514                 default:
5515 #ifndef BB_VER
5516                         fprintf(stderr, "Usage: sh [FILE]...\n"
5517                                         "   or: sh -c command [args]...\n\n");
5518                         exit(EXIT_FAILURE);
5519 #else
5520                         bb_show_usage();
5521 #endif
5522                 }
5523         } /* option parsing loop */
5524
5525         if (!G.root_pid)
5526                 G.root_pid = getpid();
5527
5528         /* If we are login shell... */
5529         if (argv[0] && argv[0][0] == '-') {
5530                 FILE *input;
5531                 /* XXX what should argv be while sourcing /etc/profile? */
5532                 debug_printf("sourcing /etc/profile\n");
5533                 input = fopen_for_read("/etc/profile");
5534                 if (input != NULL) {
5535                         close_on_exec_on(fileno(input));
5536                         block_signals(0); /* 0: called 1st time */
5537                         signal_mask_is_inited = 1;
5538                         parse_and_run_file(input);
5539                         fclose(input);
5540                 }
5541                 /* bash: after sourcing /etc/profile,
5542                  * tries to source (in the given order):
5543                  * ~/.bash_profile, ~/.bash_login, ~/.profile,
5544                  * stopping of first found. --noprofile turns this off.
5545                  * bash also sources ~/.bash_logout on exit.
5546                  * If called as sh, skips .bash_XXX files.
5547                  */
5548         }
5549
5550         if (argv[optind]) {
5551                 FILE *input;
5552                 /*
5553                  * "bash <script>" (which is never interactive (unless -i?))
5554                  * sources $BASH_ENV here (without scanning $PATH).
5555                  * If called as sh, does the same but with $ENV.
5556                  */
5557                 debug_printf("running script '%s'\n", argv[optind]);
5558                 G.global_argv = argv + optind;
5559                 G.global_argc = argc - optind;
5560                 input = xfopen_for_read(argv[optind]);
5561                 close_on_exec_on(fileno(input));
5562                 if (!signal_mask_is_inited)
5563                         block_signals(0); /* 0: called 1st time */
5564                 parse_and_run_file(input);
5565 #if ENABLE_FEATURE_CLEAN_UP
5566                 fclose(input);
5567 #endif
5568                 goto final_return;
5569         }
5570
5571         /* Up to here, shell was non-interactive. Now it may become one.
5572          * NB: don't forget to (re)run block_signals(0/1) as needed.
5573          */
5574
5575         /* A shell is interactive if the '-i' flag was given, or if all of
5576          * the following conditions are met:
5577          *    no -c command
5578          *    no arguments remaining or the -s flag given
5579          *    standard input is a terminal
5580          *    standard output is a terminal
5581          * Refer to Posix.2, the description of the 'sh' utility.
5582          */
5583 #if ENABLE_HUSH_JOB
5584         if (isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)) {
5585                 G.saved_tty_pgrp = tcgetpgrp(STDIN_FILENO);
5586                 debug_printf("saved_tty_pgrp:%d\n", G.saved_tty_pgrp);
5587 //TODO: "interactive" and "have job control" are two different things.
5588 //If tcgetpgrp fails here, "have job control" is false, but "interactive"
5589 //should stay on! Currently, we mix these into one.
5590                 if (G.saved_tty_pgrp >= 0) {
5591                         /* try to dup stdin to high fd#, >= 255 */
5592                         G_interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
5593                         if (G_interactive_fd < 0) {
5594                                 /* try to dup to any fd */
5595                                 G_interactive_fd = dup(STDIN_FILENO);
5596                                 if (G_interactive_fd < 0)
5597                                         /* give up */
5598                                         G_interactive_fd = 0;
5599                         }
5600 // TODO: track & disallow any attempts of user
5601 // to (inadvertently) close/redirect it
5602                 }
5603         }
5604         debug_printf("interactive_fd:%d\n", G_interactive_fd);
5605         if (G_interactive_fd) {
5606                 pid_t shell_pgrp;
5607
5608                 /* We are indeed interactive shell, and we will perform
5609                  * job control. Setting up for that. */
5610
5611                 close_on_exec_on(G_interactive_fd);
5612                 /* If we were run as 'hush &', sleep until we are
5613                  * in the foreground (tty pgrp == our pgrp).
5614                  * If we get started under a job aware app (like bash),
5615                  * make sure we are now in charge so we don't fight over
5616                  * who gets the foreground */
5617                 while (1) {
5618                         shell_pgrp = getpgrp();
5619                         G.saved_tty_pgrp = tcgetpgrp(G_interactive_fd);
5620                         if (G.saved_tty_pgrp == shell_pgrp)
5621                                 break;
5622                         /* send TTIN to ourself (should stop us) */
5623                         kill(- shell_pgrp, SIGTTIN);
5624                 }
5625                 /* Block some signals */
5626                 block_signals(signal_mask_is_inited);
5627                 /* Set other signals to restore saved_tty_pgrp */
5628                 set_fatal_handlers();
5629                 /* Put ourselves in our own process group */
5630                 bb_setpgrp(); /* is the same as setpgid(our_pid, our_pid); */
5631                 /* Grab control of the terminal */
5632                 tcsetpgrp(G_interactive_fd, getpid());
5633                 /* -1 is special - makes xfuncs longjmp, not exit
5634                  * (we reset die_sleep = 0 whereever we [v]fork) */
5635                 enable_restore_tty_pgrp_on_exit(); /* sets die_sleep = -1 */
5636                 if (setjmp(die_jmp)) {
5637                         /* xfunc has failed! die die die */
5638                         hush_exit(xfunc_error_retval);
5639                 }
5640         } else if (!signal_mask_is_inited) {
5641                 block_signals(0); /* 0: called 1st time */
5642         } /* else: block_signals(0) was done before */
5643 #elif ENABLE_HUSH_INTERACTIVE
5644         /* No job control compiled in, only prompt/line editing */
5645         if (isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)) {
5646                 G_interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
5647                 if (G_interactive_fd < 0) {
5648                         /* try to dup to any fd */
5649                         G_interactive_fd = dup(STDIN_FILENO);
5650                         if (G_interactive_fd < 0)
5651                                 /* give up */
5652                                 G_interactive_fd = 0;
5653                 }
5654         }
5655         if (G_interactive_fd) {
5656                 close_on_exec_on(G_interactive_fd);
5657                 block_signals(signal_mask_is_inited);
5658         } else if (!signal_mask_is_inited) {
5659                 block_signals(0);
5660         }
5661 #else
5662         /* We have interactiveness code disabled */
5663         if (!signal_mask_is_inited) {
5664                 block_signals(0);
5665         }
5666 #endif
5667         /* bash:
5668          * if interactive but not a login shell, sources ~/.bashrc
5669          * (--norc turns this off, --rcfile <file> overrides)
5670          */
5671
5672         if (!ENABLE_FEATURE_SH_EXTRA_QUIET && G_interactive_fd) {
5673                 printf("\n\n%s hush - the humble shell\n", bb_banner);
5674                 printf("Enter 'help' for a list of built-in commands.\n\n");
5675         }
5676
5677         parse_and_run_file(stdin);
5678
5679  final_return:
5680 #if ENABLE_FEATURE_CLEAN_UP
5681         if (G.cwd != bb_msg_unknown)
5682                 free((char*)G.cwd);
5683         cur_var = G.top_var->next;
5684         while (cur_var) {
5685                 struct variable *tmp = cur_var;
5686                 if (!cur_var->max_len)
5687                         free(cur_var->varstr);
5688                 cur_var = cur_var->next;
5689                 free(tmp);
5690         }
5691 #endif
5692         hush_exit(G.last_exitcode);
5693 }
5694
5695
5696 #if ENABLE_LASH
5697 int lash_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
5698 int lash_main(int argc, char **argv)
5699 {
5700         //bb_error_msg("lash is deprecated, please use hush instead");
5701         return hush_main(argc, argv);
5702 }
5703 #endif
5704
5705
5706 /*
5707  * Built-ins
5708  */
5709 static int builtin_trap(char **argv)
5710 {
5711         int i;
5712         int sig;
5713         char *new_cmd;
5714
5715         if (!G.traps)
5716                 G.traps = xzalloc(sizeof(G.traps[0]) * NSIG);
5717
5718         argv++;
5719         if (!*argv) {
5720                 /* No args: print all trapped. This isn't 100% correct as we
5721                  * should be escaping the cmd so that it can be pasted back in
5722                  */
5723                 for (i = 0; i < NSIG; ++i)
5724                         if (G.traps[i])
5725                                 printf("trap -- '%s' %s\n", G.traps[i], get_signame(i));
5726                 return EXIT_SUCCESS;
5727         }
5728
5729         new_cmd = NULL;
5730         i = 0;
5731         /* If first arg is decimal: reset all specified signals */
5732         sig = bb_strtou(*argv, NULL, 10);
5733         if (errno == 0) {
5734                 int ret;
5735  set_all:
5736                 ret = EXIT_SUCCESS;
5737                 while (*argv) {
5738                         sig = get_signum(*argv++);
5739                         if (sig < 0 || sig >= NSIG) {
5740                                 ret = EXIT_FAILURE;
5741                                 /* Mimic bash message exactly */
5742                                 bb_perror_msg("trap: %s: invalid signal specification", argv[i]);
5743                                 continue;
5744                         }
5745
5746                         free(G.traps[sig]);
5747                         G.traps[sig] = xstrdup(new_cmd);
5748
5749                         debug_printf("trap: setting SIG%s (%i) to '%s'",
5750                                 get_signame(sig), sig, G.traps[sig]);
5751
5752                         /* There is no signal for 0 (EXIT) */
5753                         if (sig == 0)
5754                                 continue;
5755
5756                         if (new_cmd) {
5757                                 sigaddset(&G.blocked_set, sig);
5758                         } else {
5759                                 /* There was a trap handler, we are removing it
5760                                  * (if sig has non-DFL handling,
5761                                  * we don't need to do anything) */
5762                                 if (sig < 32 && (G.non_DFL_mask & (1 << sig)))
5763                                         continue;
5764                                 sigdelset(&G.blocked_set, sig);
5765                         }
5766                         sigprocmask(SIG_SETMASK, &G.blocked_set, NULL);
5767                 }
5768                 return ret;
5769         }
5770
5771         /* First arg is "-": reset all specified to default */
5772         /* First arg is "": ignore all specified */
5773         /* Everything else: execute first arg upon signal */
5774         if (!argv[1]) {
5775                 bb_error_msg("trap: invalid arguments");
5776                 return EXIT_FAILURE;
5777         }
5778         if (NOT_LONE_DASH(*argv))
5779                 new_cmd = *argv;
5780         argv++;
5781         goto set_all;
5782 }
5783
5784 static int builtin_true(char **argv UNUSED_PARAM)
5785 {
5786         return 0;
5787 }
5788
5789 static int builtin_test(char **argv)
5790 {
5791         int argc = 0;
5792         while (*argv) {
5793                 argc++;
5794                 argv++;
5795         }
5796         return test_main(argc, argv - argc);
5797 }
5798
5799 static int builtin_echo(char **argv)
5800 {
5801         int argc = 0;
5802         while (*argv) {
5803                 argc++;
5804                 argv++;
5805         }
5806         return echo_main(argc, argv - argc);
5807 }
5808
5809 static int builtin_eval(char **argv)
5810 {
5811         int rcode = EXIT_SUCCESS;
5812
5813         if (*++argv) {
5814                 char *str = expand_strvec_to_string(argv);
5815                 /* bash:
5816                  * eval "echo Hi; done" ("done" is syntax error):
5817                  * "echo Hi" will not execute too.
5818                  */
5819                 parse_and_run_string(str);
5820                 free(str);
5821                 rcode = G.last_exitcode;
5822         }
5823         return rcode;
5824 }
5825
5826 static int builtin_cd(char **argv)
5827 {
5828         const char *newdir = argv[1];
5829         if (newdir == NULL) {
5830                 /* bash does nothing (exitcode 0) if HOME is ""; if it's unset,
5831                  * bash says "bash: cd: HOME not set" and does nothing (exitcode 1)
5832                  */
5833                 newdir = getenv("HOME") ? : "/";
5834         }
5835         if (chdir(newdir)) {
5836                 /* Mimic bash message exactly */
5837                 bb_perror_msg("cd: %s", newdir);
5838                 return EXIT_FAILURE;
5839         }
5840         set_cwd();
5841         return EXIT_SUCCESS;
5842 }
5843
5844 static int builtin_exec(char **argv)
5845 {
5846         if (*++argv == NULL)
5847                 return EXIT_SUCCESS; /* bash does this */
5848         {
5849 #if !BB_MMU
5850                 nommu_save_t dummy;
5851 #endif
5852 // FIXME: if exec fails, bash does NOT exit! We do...
5853                 pseudo_exec_argv(&dummy, argv, 0, NULL);
5854                 /* never returns */
5855         }
5856 }
5857
5858 static int builtin_exit(char **argv)
5859 {
5860         debug_printf_exec("%s()\n", __func__);
5861 // TODO: bash does it ONLY on top-level sh exit (+interacive only?)
5862         //puts("exit"); /* bash does it */
5863 // TODO: warn if we have background jobs: "There are stopped jobs"
5864 // On second consecutive 'exit', exit anyway.
5865         if (*++argv == NULL)
5866                 hush_exit(G.last_exitcode);
5867         /* mimic bash: exit 123abc == exit 255 + error msg */
5868         xfunc_error_retval = 255;
5869         /* bash: exit -2 == exit 254, no error msg */
5870         hush_exit(xatoi(*argv) & 0xff);
5871 }
5872
5873 static int builtin_export(char **argv)
5874 {
5875         if (*++argv == NULL) {
5876                 // TODO:
5877                 // ash emits: export VAR='VAL'
5878                 // bash: declare -x VAR="VAL"
5879                 // (both also escape as needed (quotes, $, etc))
5880                 char **e = environ;
5881                 if (e)
5882                         while (*e)
5883                                 puts(*e++);
5884                 return EXIT_SUCCESS;
5885         }
5886
5887         do {
5888                 const char *value;
5889                 char *name = *argv;
5890
5891                 value = strchr(name, '=');
5892                 if (!value) {
5893                         /* They are exporting something without a =VALUE */
5894                         struct variable *var;
5895
5896                         var = get_local_var(name);
5897                         if (var) {
5898                                 var->flg_export = 1;
5899                                 debug_printf_env("%s: putenv '%s'\n", __func__, var->varstr);
5900                                 putenv(var->varstr);
5901                         }
5902                         /* bash does not return an error when trying to export
5903                          * an undefined variable.  Do likewise. */
5904                         continue;
5905                 }
5906                 set_local_var(xstrdup(name), 1, 0);
5907         } while (*++argv);
5908
5909         return EXIT_SUCCESS;
5910 }
5911
5912 #if ENABLE_HUSH_JOB
5913 /* built-in 'fg' and 'bg' handler */
5914 static int builtin_fg_bg(char **argv)
5915 {
5916         int i, jobnum;
5917         struct pipe *pi;
5918
5919         if (!G_interactive_fd)
5920                 return EXIT_FAILURE;
5921         /* If they gave us no args, assume they want the last backgrounded task */
5922         if (!argv[1]) {
5923                 for (pi = G.job_list; pi; pi = pi->next) {
5924                         if (pi->jobid == G.last_jobid) {
5925                                 goto found;
5926                         }
5927                 }
5928                 bb_error_msg("%s: no current job", argv[0]);
5929                 return EXIT_FAILURE;
5930         }
5931         if (sscanf(argv[1], "%%%d", &jobnum) != 1) {
5932                 bb_error_msg("%s: bad argument '%s'", argv[0], argv[1]);
5933                 return EXIT_FAILURE;
5934         }
5935         for (pi = G.job_list; pi; pi = pi->next) {
5936                 if (pi->jobid == jobnum) {
5937                         goto found;
5938                 }
5939         }
5940         bb_error_msg("%s: %d: no such job", argv[0], jobnum);
5941         return EXIT_FAILURE;
5942  found:
5943         // TODO: bash prints a string representation
5944         // of job being foregrounded (like "sleep 1 | cat")
5945         if (argv[0][0] == 'f') {
5946                 /* Put the job into the foreground.  */
5947                 tcsetpgrp(G_interactive_fd, pi->pgrp);
5948         }
5949
5950         /* Restart the processes in the job */
5951         debug_printf_jobs("reviving %d procs, pgrp %d\n", pi->num_cmds, pi->pgrp);
5952         for (i = 0; i < pi->num_cmds; i++) {
5953                 debug_printf_jobs("reviving pid %d\n", pi->cmds[i].pid);
5954                 pi->cmds[i].is_stopped = 0;
5955         }
5956         pi->stopped_cmds = 0;
5957
5958         i = kill(- pi->pgrp, SIGCONT);
5959         if (i < 0) {
5960                 if (errno == ESRCH) {
5961                         delete_finished_bg_job(pi);
5962                         return EXIT_SUCCESS;
5963                 }
5964                 bb_perror_msg("kill (SIGCONT)");
5965         }
5966
5967         if (argv[0][0] == 'f') {
5968                 remove_bg_job(pi);
5969                 return checkjobs_and_fg_shell(pi);
5970         }
5971         return EXIT_SUCCESS;
5972 }
5973 #endif
5974
5975 #if ENABLE_HUSH_HELP
5976 static int builtin_help(char **argv UNUSED_PARAM)
5977 {
5978         const struct built_in_command *x;
5979
5980         printf("\n"
5981                 "Built-in commands:\n"
5982                 "------------------\n");
5983         for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
5984                 printf("%s\t%s\n", x->cmd, x->descr);
5985         }
5986         printf("\n\n");
5987         return EXIT_SUCCESS;
5988 }
5989 #endif
5990
5991 #if ENABLE_HUSH_JOB
5992 static int builtin_jobs(char **argv UNUSED_PARAM)
5993 {
5994         struct pipe *job;
5995         const char *status_string;
5996
5997         for (job = G.job_list; job; job = job->next) {
5998                 if (job->alive_cmds == job->stopped_cmds)
5999                         status_string = "Stopped";
6000                 else
6001                         status_string = "Running";
6002
6003                 printf(JOB_STATUS_FORMAT, job->jobid, status_string, job->cmdtext);
6004         }
6005         return EXIT_SUCCESS;
6006 }
6007 #endif
6008
6009 #if HUSH_DEBUG
6010 static int builtin_memleak(char **argv UNUSED_PARAM)
6011 {
6012         void *p;
6013         unsigned long l;
6014
6015         /* Crude attempt to find where "free memory" starts,
6016          * sans fragmentation. */
6017         p = malloc(240);
6018         l = (unsigned long)p;
6019         free(p);
6020         p = malloc(3400);
6021         if (l < (unsigned long)p) l = (unsigned long)p;
6022         free(p);
6023
6024         if (!G.memleak_value)
6025                 G.memleak_value = l;
6026         
6027         l -= G.memleak_value;
6028         if ((long)l < 0)
6029                 l = 0;
6030         l /= 1024;
6031         if (l > 127)
6032                 l = 127;
6033
6034         /* Exitcode is "how many kilobytes we leaked since 1st call" */
6035         return l;
6036 }
6037 #endif
6038
6039 static int builtin_pwd(char **argv UNUSED_PARAM)
6040 {
6041         puts(set_cwd());
6042         return EXIT_SUCCESS;
6043 }
6044
6045 static int builtin_read(char **argv)
6046 {
6047         char *string;
6048         const char *name = argv[1] ? argv[1] : "REPLY";
6049 //TODO: check that argv[1] is a valid variable name
6050
6051         string = xmalloc_reads(STDIN_FILENO, xasprintf("%s=", name), NULL);
6052         return set_local_var(string, 0, 0);
6053 }
6054
6055 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#set
6056  * built-in 'set' handler
6057  * SUSv3 says:
6058  * set [-abCefhmnuvx] [-o option] [argument...]
6059  * set [+abCefhmnuvx] [+o option] [argument...]
6060  * set -- [argument...]
6061  * set -o
6062  * set +o
6063  * Implementations shall support the options in both their hyphen and
6064  * plus-sign forms. These options can also be specified as options to sh.
6065  * Examples:
6066  * Write out all variables and their values: set
6067  * Set $1, $2, and $3 and set "$#" to 3: set c a b
6068  * Turn on the -x and -v options: set -xv
6069  * Unset all positional parameters: set --
6070  * Set $1 to the value of x, even if it begins with '-' or '+': set -- "$x"
6071  * Set the positional parameters to the expansion of x, even if x expands
6072  * with a leading '-' or '+': set -- $x
6073  *
6074  * So far, we only support "set -- [argument...]" and some of the short names.
6075  */
6076 static int builtin_set(char **argv)
6077 {
6078         int n;
6079         char **pp, **g_argv;
6080         char *arg = *++argv;
6081
6082         if (arg == NULL) {
6083                 struct variable *e;
6084                 for (e = G.top_var; e; e = e->next)
6085                         puts(e->varstr);
6086                 return EXIT_SUCCESS;
6087         }
6088
6089         do {
6090                 if (!strcmp(arg, "--")) {
6091                         ++argv;
6092                         goto set_argv;
6093                 }
6094
6095                 if (arg[0] == '+' || arg[0] == '-') {
6096                         for (n = 1; arg[n]; ++n)
6097                                 if (set_mode(arg[0], arg[n]))
6098                                         goto error;
6099                         continue;
6100                 }
6101
6102                 break;
6103         } while ((arg = *++argv) != NULL);
6104         /* Now argv[0] is 1st argument */
6105
6106         /* Only reset global_argv if we didn't process anything */
6107         if (arg == NULL)
6108                 return EXIT_SUCCESS;
6109  set_argv:
6110
6111         /* NB: G.global_argv[0] ($0) is never freed/changed */
6112         g_argv = G.global_argv;
6113         if (G.global_args_malloced) {
6114                 pp = g_argv;
6115                 while (*++pp)
6116                         free(*pp);
6117                 g_argv[1] = NULL;
6118         } else {
6119                 G.global_args_malloced = 1;
6120                 pp = xzalloc(sizeof(pp[0]) * 2);
6121                 pp[0] = g_argv[0]; /* retain $0 */
6122                 g_argv = pp;
6123         }
6124         /* This realloc's G.global_argv */
6125         G.global_argv = pp = add_strings_to_strings(g_argv, argv, /*dup:*/ 1);
6126
6127         n = 1;
6128         while (*++pp)
6129                 n++;
6130         G.global_argc = n;
6131
6132         return EXIT_SUCCESS;
6133
6134         /* Nothing known, so abort */
6135  error:
6136         bb_error_msg("set: %s: invalid option", arg);
6137         return EXIT_FAILURE;
6138 }
6139
6140 static int builtin_shift(char **argv)
6141 {
6142         int n = 1;
6143         if (argv[1]) {
6144                 n = atoi(argv[1]);
6145         }
6146         if (n >= 0 && n < G.global_argc) {
6147                 if (G.global_args_malloced) {
6148                         int m = 1;
6149                         while (m <= n)
6150                                 free(G.global_argv[m++]);
6151                 }
6152                 G.global_argc -= n;
6153                 memmove(&G.global_argv[1], &G.global_argv[n+1],
6154                                 G.global_argc * sizeof(G.global_argv[0]));
6155                 return EXIT_SUCCESS;
6156         }
6157         return EXIT_FAILURE;
6158 }
6159
6160 static int builtin_source(char **argv)
6161 {
6162         FILE *input;
6163
6164         if (*++argv == NULL)
6165                 return EXIT_FAILURE;
6166
6167         /* XXX search through $PATH is missing */
6168         input = fopen_or_warn(*argv, "r");
6169         if (!input) {
6170                 /* bb_perror_msg("%s", *argv); - done by fopen_or_warn */
6171                 return EXIT_FAILURE;
6172         }
6173         close_on_exec_on(fileno(input));
6174
6175         /* Now run the file */
6176 //TODO:
6177         /* XXX argv and argc are broken; need to save old G.global_argv
6178          * (pointer only is OK!) on this stack frame,
6179          * set G.global_argv=argv+1, recurse, and restore. */
6180         parse_and_run_file(input);
6181         fclose(input);
6182         return G.last_exitcode;
6183 }
6184
6185 static int builtin_umask(char **argv)
6186 {
6187         mode_t new_umask;
6188         const char *arg = argv[1];
6189         if (arg) {
6190 //TODO: umask may take chmod-like symbolic masks
6191                 new_umask = bb_strtou(arg, NULL, 8);
6192                 if (errno) {
6193                         //Message? bash examples:
6194                         //bash: umask: 'q': invalid symbolic mode operator
6195                         //bash: umask: 999: octal number out of range
6196                         return EXIT_FAILURE;
6197                 }
6198         } else {
6199                 new_umask = umask(0);
6200                 printf("%.3o\n", (unsigned) new_umask);
6201                 /* fall through and restore new_umask which we set to 0 */
6202         }
6203         umask(new_umask);
6204         return EXIT_SUCCESS;
6205 }
6206
6207 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/V3_chap02.html#unset */
6208 static int builtin_unset(char **argv)
6209 {
6210         int ret;
6211         char var;
6212
6213         if (!*++argv)
6214                 return EXIT_SUCCESS;
6215
6216         var = 'v';
6217         if (argv[0][0] == '-') {
6218                 switch (argv[0][1]) {
6219                 case 'v':
6220                 case 'f':
6221                         var = argv[0][1];
6222                         break;
6223                 default:
6224                         bb_error_msg("unset: %s: invalid option", *argv);
6225                         return EXIT_FAILURE;
6226                 }
6227 //TODO: disallow "unset -vf ..." too
6228                 argv++;
6229         }
6230
6231         ret = EXIT_SUCCESS;
6232         while (*argv) {
6233                 if (var == 'v') {
6234                         if (unset_local_var(*argv)) {
6235                                 /* unset <nonexistent_var> doesn't fail.
6236                                  * Error is when one tries to unset RO var.
6237                                  * Message was printed by unset_local_var. */
6238                                 ret = EXIT_FAILURE;
6239                         }
6240                 }
6241 #if ENABLE_HUSH_FUNCTIONS
6242                 else {
6243                         unset_local_func(*argv);
6244                 }
6245 #endif
6246                 argv++;
6247         }
6248         return ret;
6249 }
6250
6251 /* http://www.opengroup.org/onlinepubs/9699919799/utilities/wait.html */
6252 static int builtin_wait(char **argv)
6253 {
6254         int ret = EXIT_SUCCESS;
6255         int status, sig;
6256
6257         if (*++argv == NULL) {
6258                 /* Don't care about wait results */
6259                 /* Note 1: must wait until there are no more children */
6260                 /* Note 2: must be interruptible */
6261                 /* Examples:
6262                  * $ sleep 3 & sleep 6 & wait
6263                  * [1] 30934 sleep 3
6264                  * [2] 30935 sleep 6
6265                  * [1] Done                   sleep 3
6266                  * [2] Done                   sleep 6
6267                  * $ sleep 3 & sleep 6 & wait
6268                  * [1] 30936 sleep 3
6269                  * [2] 30937 sleep 6
6270                  * [1] Done                   sleep 3
6271                  * ^C <-- after ~4 sec from keyboard
6272                  * $
6273                  */
6274                 sigaddset(&G.blocked_set, SIGCHLD);
6275                 sigprocmask(SIG_SETMASK, &G.blocked_set, NULL);
6276                 while (1) {
6277                         checkjobs(NULL);
6278                         if (errno == ECHILD)
6279                                 break;
6280                         /* Wait for SIGCHLD or any other signal of interest */
6281                         /* sigtimedwait with infinite timeout: */
6282                         sig = sigwaitinfo(&G.blocked_set, NULL);
6283                         if (sig > 0) {
6284                                 sig = check_and_run_traps(sig);
6285                                 if (sig && sig != SIGCHLD) { /* see note 2 */
6286                                         ret = 128 + sig;
6287                                         break;
6288                                 }
6289                         }
6290                 }
6291                 sigdelset(&G.blocked_set, SIGCHLD);
6292                 sigprocmask(SIG_SETMASK, &G.blocked_set, NULL);
6293                 return ret;
6294         }
6295
6296         /* This is probably buggy wrt interruptible-ness */
6297         while (*argv) {
6298                 pid_t pid = bb_strtou(*argv, NULL, 10);
6299                 if (errno) {
6300                         /* mimic bash message */
6301                         bb_error_msg("wait: '%s': not a pid or valid job spec", *argv);
6302                         return EXIT_FAILURE;
6303                 }
6304                 if (waitpid(pid, &status, 0) == pid) {
6305                         if (WIFSIGNALED(status))
6306                                 ret = 128 + WTERMSIG(status);
6307                         else if (WIFEXITED(status))
6308                                 ret = WEXITSTATUS(status);
6309                         else /* wtf? */
6310                                 ret = EXIT_FAILURE;
6311                 } else {
6312                         bb_perror_msg("wait %s", *argv);
6313                         ret = 127;
6314                 }
6315                 argv++;
6316         }
6317
6318         return ret;
6319 }
6320
6321 #if ENABLE_HUSH_LOOPS
6322 static int builtin_break(char **argv)
6323 {
6324         if (G.depth_of_loop == 0) {
6325                 bb_error_msg("%s: only meaningful in a loop", argv[0]);
6326                 return EXIT_SUCCESS; /* bash compat */
6327         }
6328         G.flag_break_continue++; /* BC_BREAK = 1 */
6329         G.depth_break_continue = 1;
6330         if (argv[1]) {
6331                 G.depth_break_continue = bb_strtou(argv[1], NULL, 10);
6332                 if (errno || !G.depth_break_continue || argv[2]) {
6333                         bb_error_msg("%s: bad arguments", argv[0]);
6334                         G.flag_break_continue = BC_BREAK;
6335                         G.depth_break_continue = UINT_MAX;
6336                 }
6337         }
6338         if (G.depth_of_loop < G.depth_break_continue)
6339                 G.depth_break_continue = G.depth_of_loop;
6340         return EXIT_SUCCESS;
6341 }
6342
6343 static int builtin_continue(char **argv)
6344 {
6345         G.flag_break_continue = 1; /* BC_CONTINUE = 2 = 1+1 */
6346         return builtin_break(argv);
6347 }
6348 #endif