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