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