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