a2649d069d0d58ca8146df5b70e4ec1963811e43
[oweals/busybox.git] / shell / hush.c
1 /* vi: set sw=4 ts=4: */
2 /*
3  * sh.c -- 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  *
10  * Credits:
11  *      The parser routines proper are all original material, first
12  *      written Dec 2000 and Jan 2001 by Larry Doolittle.  The
13  *      execution engine, the builtins, and much of the underlying
14  *      support has been adapted from busybox-0.49pre's lash, which is
15  *      Copyright (C) 1999-2004 by Erik Andersen <andersen@codepoet.org>
16  *      written by Erik Andersen <andersen@codepoet.org>.  That, in turn,
17  *      is based in part on ladsh.c, by Michael K. Johnson and Erik W.
18  *      Troan, which they placed in the public domain.  I don't know
19  *      how much of the Johnson/Troan code has survived the repeated
20  *      rewrites.
21  *
22  * Other credits:
23  *      o_addchr() derived from similar w_addchar function in glibc-2.2.
24  *      setup_redirect(), redirect_opt_num(), and big chunks of main()
25  *      and many builtins derived from contributions by Erik Andersen
26  *      miscellaneous bugfixes from Matt Kraai.
27  *
28  * There are two big (and related) architecture differences between
29  * this parser and the lash parser.  One is that this version is
30  * actually designed from the ground up to understand nearly all
31  * of the Bourne grammar.  The second, consequential change is that
32  * the parser and input reader have been turned inside out.  Now,
33  * the parser is in control, and asks for input as needed.  The old
34  * way had the input reader in control, and it asked for parsing to
35  * take place as needed.  The new way makes it much easier to properly
36  * handle the recursion implicit in the various substitutions, especially
37  * across continuation lines.
38  *
39  * Bash grammar not implemented: (how many of these were in original sh?)
40  *      $_
41  *      &> and >& redirection of stdout+stderr
42  *      Brace Expansion
43  *      Tilde Expansion
44  *      fancy forms of Parameter Expansion
45  *      aliases
46  *      Arithmetic Expansion
47  *      <(list) and >(list) Process Substitution
48  *      reserved words: case, esac, select, function
49  *      Here Documents ( << word )
50  *      Functions
51  * Major bugs:
52  *      job handling woefully incomplete and buggy (improved --vda)
53  *      reserved word execution woefully incomplete and buggy
54  * to-do:
55  *      port selected bugfixes from post-0.49 busybox lash - done?
56  *      change { and } from special chars to reserved words
57  *      builtins: return, trap, ulimit
58  *      test magic exec
59  *      check setting of global_argc and global_argv
60  *      follow IFS rules more precisely, including update semantics
61  *      figure out what to do with backslash-newline
62  *      propagate syntax errors, die on resource errors?
63  *      continuation lines, both explicit and implicit - done?
64  *      memory leak finding and plugging - done?
65  *      maybe change charmap[] to use 2-bit entries
66  *
67  * Licensed under the GPL v2 or later, see the file LICENSE in this tarball.
68  */
69
70 #include "busybox.h" /* for APPLET_IS_NOFORK/NOEXEC */
71 #include <glob.h>
72 /* #include <dmalloc.h> */
73 #if ENABLE_HUSH_CASE
74 #include <fnmatch.h>
75 #endif
76
77 #define HUSH_VER_STR "0.9"
78
79 #if !BB_MMU && ENABLE_HUSH_TICK
80 //#undef ENABLE_HUSH_TICK
81 //#define ENABLE_HUSH_TICK 0
82 #warning On NOMMU, hush command substitution is dangerous.
83 #warning Dont use it for commands which produce lots of output.
84 #warning For more info see shell/hush.c, generate_stream_from_list().
85 #endif
86
87 #if !BB_MMU && ENABLE_HUSH_JOB
88 #undef ENABLE_HUSH_JOB
89 #define ENABLE_HUSH_JOB 0
90 #endif
91
92 #if !ENABLE_HUSH_INTERACTIVE
93 #undef ENABLE_FEATURE_EDITING
94 #define ENABLE_FEATURE_EDITING 0
95 #undef ENABLE_FEATURE_EDITING_FANCY_PROMPT
96 #define ENABLE_FEATURE_EDITING_FANCY_PROMPT 0
97 #endif
98
99
100 /* If you comment out one of these below, it will be #defined later
101  * to perform debug printfs to stderr: */
102 #define debug_printf(...)        do {} while (0)
103 /* Finer-grained debug switches */
104 #define debug_printf_parse(...)  do {} while (0)
105 #define debug_print_tree(a, b)   do {} while (0)
106 #define debug_printf_exec(...)   do {} while (0)
107 #define debug_printf_jobs(...)   do {} while (0)
108 #define debug_printf_expand(...) do {} while (0)
109 #define debug_printf_glob(...)   do {} while (0)
110 #define debug_printf_list(...)   do {} while (0)
111 #define debug_printf_subst(...)  do {} while (0)
112 #define debug_printf_clean(...)  do {} while (0)
113
114 #ifndef debug_printf
115 #define debug_printf(...) fprintf(stderr, __VA_ARGS__)
116 #endif
117
118 #ifndef debug_printf_parse
119 #define debug_printf_parse(...) fprintf(stderr, __VA_ARGS__)
120 #endif
121
122 #ifndef debug_printf_exec
123 #define debug_printf_exec(...) fprintf(stderr, __VA_ARGS__)
124 #endif
125
126 #ifndef debug_printf_jobs
127 #define debug_printf_jobs(...) fprintf(stderr, __VA_ARGS__)
128 #define DEBUG_JOBS 1
129 #else
130 #define DEBUG_JOBS 0
131 #endif
132
133 #ifndef debug_printf_expand
134 #define debug_printf_expand(...) fprintf(stderr, __VA_ARGS__)
135 #define DEBUG_EXPAND 1
136 #else
137 #define DEBUG_EXPAND 0
138 #endif
139
140 #ifndef debug_printf_glob
141 #define debug_printf_glob(...) fprintf(stderr, __VA_ARGS__)
142 #define DEBUG_GLOB 1
143 #else
144 #define DEBUG_GLOB 0
145 #endif
146
147 #ifndef debug_printf_list
148 #define debug_printf_list(...) fprintf(stderr, __VA_ARGS__)
149 #endif
150
151 #ifndef debug_printf_subst
152 #define debug_printf_subst(...) fprintf(stderr, __VA_ARGS__)
153 #endif
154
155 #ifndef debug_printf_clean
156 /* broken, of course, but OK for testing */
157 static const char *indenter(int i)
158 {
159         static const char blanks[] ALIGN1 =
160                 "                                    ";
161         return &blanks[sizeof(blanks) - i - 1];
162 }
163 #define debug_printf_clean(...) fprintf(stderr, __VA_ARGS__)
164 #define DEBUG_CLEAN 1
165 #endif
166
167 #if DEBUG_EXPAND
168 static void debug_print_strings(const char *prefix, char **vv)
169 {
170         fprintf(stderr, "%s:\n", prefix);
171         while (*vv)
172                 fprintf(stderr, " '%s'\n", *vv++);
173 }
174 #else
175 #define debug_print_strings(prefix, vv) ((void)0)
176 #endif
177
178 /*
179  * Leak hunting. Use hush_leaktool.sh for post-processing.
180  */
181 #ifdef FOR_HUSH_LEAKTOOL
182 /* suppress "warning: no previous prototype..." */
183 void *xxmalloc(int lineno, size_t size);
184 void *xxrealloc(int lineno, void *ptr, size_t size);
185 char *xxstrdup(int lineno, const char *str);
186 void xxfree(void *ptr);
187 void *xxmalloc(int lineno, size_t size)
188 {
189         void *ptr = xmalloc((size + 0xff) & ~0xff);
190         fprintf(stderr, "line %d: malloc %p\n", lineno, ptr);
191         return ptr;
192 }
193 void *xxrealloc(int lineno, void *ptr, size_t size)
194 {
195         ptr = xrealloc(ptr, (size + 0xff) & ~0xff);
196         fprintf(stderr, "line %d: realloc %p\n", lineno, ptr);
197         return ptr;
198 }
199 char *xxstrdup(int lineno, const char *str)
200 {
201         char *ptr = xstrdup(str);
202         fprintf(stderr, "line %d: strdup %p\n", lineno, ptr);
203         return ptr;
204 }
205 void xxfree(void *ptr)
206 {
207         fprintf(stderr, "free %p\n", ptr);
208         free(ptr);
209 }
210 #define xmalloc(s)     xxmalloc(__LINE__, s)
211 #define xrealloc(p, s) xxrealloc(__LINE__, p, s)
212 #define xstrdup(s)     xxstrdup(__LINE__, s)
213 #define free(p)        xxfree(p)
214 #endif
215
216
217 /* Keep unconditionally on for now */
218 #define HUSH_DEBUG 1
219 /* Do we support ANY keywords? */
220 #if ENABLE_HUSH_IF || ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
221 #define HAS_KEYWORDS 1
222 #define IF_HAS_KEYWORDS(...) __VA_ARGS__
223 #define IF_HAS_NO_KEYWORDS(...)
224 #else
225 #define HAS_KEYWORDS 0
226 #define IF_HAS_KEYWORDS(...)
227 #define IF_HAS_NO_KEYWORDS(...) __VA_ARGS__
228 #endif
229
230
231 #define SPECIAL_VAR_SYMBOL       3
232 #define PARSEFLAG_EXIT_FROM_LOOP 1
233
234 typedef enum redir_type {
235         REDIRECT_INPUT     = 1,
236         REDIRECT_OVERWRITE = 2,
237         REDIRECT_APPEND    = 3,
238         REDIRECT_HEREIS    = 4,
239         REDIRECT_IO        = 5
240 } redir_type;
241
242 /* The descrip member of this structure is only used to make
243  * debugging output pretty */
244 static const struct {
245         int mode;
246         signed char default_fd;
247         char descrip[3];
248 } redir_table[] = {
249         { 0,                         0, "()" },
250         { O_RDONLY,                  0, "<"  },
251         { O_CREAT|O_TRUNC|O_WRONLY,  1, ">"  },
252         { O_CREAT|O_APPEND|O_WRONLY, 1, ">>" },
253         { O_RDONLY,                 -1, "<<" },
254         { O_RDWR,                    1, "<>" }
255 };
256
257 typedef enum pipe_style {
258         PIPE_SEQ = 1,
259         PIPE_AND = 2,
260         PIPE_OR  = 3,
261         PIPE_BG  = 4,
262 } pipe_style;
263
264 typedef enum reserved_style {
265         RES_NONE  = 0,
266 #if ENABLE_HUSH_IF
267         RES_IF    ,
268         RES_THEN  ,
269         RES_ELIF  ,
270         RES_ELSE  ,
271         RES_FI    ,
272 #endif
273 #if ENABLE_HUSH_LOOPS
274         RES_FOR   ,
275         RES_WHILE ,
276         RES_UNTIL ,
277         RES_DO    ,
278         RES_DONE  ,
279 #endif
280 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
281         RES_IN    ,
282 #endif
283 #if ENABLE_HUSH_CASE
284         RES_CASE  ,
285         /* two pseudo-keywords support contrived "case" syntax: */
286         RES_MATCH , /* "word)" */
287         RES_CASEI , /* "this command is inside CASE" */
288         RES_ESAC  ,
289 #endif
290         RES_XXXX  ,
291         RES_SNTX
292 } reserved_style;
293
294 /* This holds pointers to the various results of parsing */
295 struct p_context {
296         struct child_prog *child;
297         struct pipe *list_head;
298         struct pipe *pipe;
299         struct redir_struct *pending_redirect;
300 #if HAS_KEYWORDS
301         smallint ctx_res_w;
302         smallint ctx_inverted; /* "! cmd | cmd" */
303 #if ENABLE_HUSH_CASE
304         smallint ctx_dsemicolon; /* ";;" seen */
305 #endif
306         int old_flag; /* bitmask of FLAG_xxx, for figuring out valid reserved words */
307         struct p_context *stack;
308 #endif
309 };
310
311 struct redir_struct {
312         struct redir_struct *next;
313         char *rd_filename;          /* filename */
314         int fd;                     /* file descriptor being redirected */
315         int dup;                    /* -1, or file descriptor being duplicated */
316         smallint /*enum redir_type*/ rd_type;
317 };
318
319 struct child_prog {
320         pid_t pid;                  /* 0 if exited */
321         smallint is_stopped;        /* is the program currently running? */
322         smallint subshell;          /* flag, non-zero if group must be forked */
323         char **argv;                /* program name and arguments */
324         struct pipe *group;         /* if non-NULL, first in group or subshell */
325         struct redir_struct *redirects; /* I/O redirections */
326 };
327 /* argv vector may contain variable references (^Cvar^C, ^C0^C etc)
328  * and on execution these are substituted with their values.
329  * Substitution can make _several_ words out of one argv[n]!
330  * Example: argv[0]=='.^C*^C.' here: echo .$*.
331  * References of the form ^C`cmd arg^C are `cmd arg` substitutions.
332  */
333
334 struct pipe {
335         struct pipe *next;
336         int num_progs;              /* total number of programs in job */
337         int alive_progs;            /* number of programs running (not exited) */
338         int stopped_progs;          /* number of programs alive, but stopped */
339 #if ENABLE_HUSH_JOB
340         int jobid;                  /* job number */
341         pid_t pgrp;                 /* process group ID for the job */
342         char *cmdtext;              /* name of job */
343 #endif
344         struct child_prog *progs;   /* array of commands in pipe */
345         smallint followup;          /* PIPE_BG, PIPE_SEQ, PIPE_OR, PIPE_AND */
346         IF_HAS_KEYWORDS(smallint pi_inverted;) /* "! cmd | cmd" */
347         IF_HAS_KEYWORDS(smallint res_word;) /* needed for if, for, while, until... */
348 };
349
350 /* On program start, environ points to initial environment.
351  * putenv adds new pointers into it, unsetenv removes them.
352  * Neither of these (de)allocates the strings.
353  * setenv allocates new strings in malloc space and does putenv,
354  * and thus setenv is unusable (leaky) for shell's purposes */
355 #define setenv(...) setenv_is_leaky_dont_use()
356 struct variable {
357         struct variable *next;
358         char *varstr;        /* points to "name=" portion */
359         int max_len;         /* if > 0, name is part of initial env; else name is malloced */
360         smallint flg_export; /* putenv should be done on this var */
361         smallint flg_read_only;
362 };
363
364 typedef struct o_string {
365         char *data;
366         int length; /* position where data is appended */
367         int maxlen;
368         /* Misnomer! it's not "quoting", it's "protection against globbing"!
369          * (by prepending \ to *, ?, [ and to \ too) */
370         smallint o_quote;
371         smallint o_glob;
372         smallint nonnull;
373         smallint has_empty_slot;
374         smallint o_assignment; /* 0:maybe, 1:yes, 2:no */
375 } o_string;
376 enum {
377         MAYBE_ASSIGNMENT = 0,
378         DEFINITELY_ASSIGNMENT = 1,
379         NOT_ASSIGNMENT = 2,
380 };
381 /* Used for initialization: o_string foo = NULL_O_STRING; */
382 #define NULL_O_STRING { NULL }
383
384 /* I can almost use ordinary FILE*.  Is open_memstream() universally
385  * available?  Where is it documented? */
386 typedef struct in_str {
387         const char *p;
388         /* eof_flag=1: last char in ->p is really an EOF */
389         char eof_flag; /* meaningless if ->p == NULL */
390         char peek_buf[2];
391 #if ENABLE_HUSH_INTERACTIVE
392         smallint promptme;
393         smallint promptmode; /* 0: PS1, 1: PS2 */
394 #endif
395         FILE *file;
396         int (*get) (struct in_str *);
397         int (*peek) (struct in_str *);
398 } in_str;
399 #define i_getch(input) ((input)->get(input))
400 #define i_peek(input) ((input)->peek(input))
401
402 enum {
403         CHAR_ORDINARY           = 0,
404         CHAR_ORDINARY_IF_QUOTED = 1, /* example: *, # */
405         CHAR_IFS                = 2, /* treated as ordinary if quoted */
406         CHAR_SPECIAL            = 3, /* example: $ */
407 };
408
409 enum {
410         BC_BREAK = 1,
411         BC_CONTINUE = 2,
412 };
413
414
415 /* "Globals" within this file */
416
417 /* Sorted roughly by size (smaller offsets == smaller code) */
418 struct globals {
419 #if ENABLE_HUSH_INTERACTIVE
420         /* 'interactive_fd' is a fd# open to ctty, if we have one
421          * _AND_ if we decided to act interactively */
422         int interactive_fd;
423         const char *PS1;
424         const char *PS2;
425 #endif
426 #if ENABLE_FEATURE_EDITING
427         line_input_t *line_input_state;
428 #endif
429         pid_t root_pid;
430 #if ENABLE_HUSH_JOB
431         int run_list_level;
432         pid_t saved_task_pgrp;
433         pid_t saved_tty_pgrp;
434         int last_jobid;
435         struct pipe *job_list;
436         struct pipe *toplevel_list;
437         smallint ctrl_z_flag;
438 #endif
439 #if ENABLE_HUSH_LOOPS
440         smallint flag_break_continue;
441 #endif
442         smallint fake_mode;
443         /* these three support $?, $#, and $1 */
444         smalluint last_return_code;
445         char **global_argv;
446         int global_argc;
447 #if ENABLE_HUSH_LOOPS
448         unsigned depth_break_continue;
449         unsigned depth_of_loop;
450 #endif
451         pid_t last_bg_pid;
452         const char *ifs;
453         const char *cwd;
454         struct variable *top_var; /* = &shell_ver (set in main()) */
455         struct variable shell_ver;
456 #if ENABLE_FEATURE_SH_STANDALONE
457         struct nofork_save_area nofork_save;
458 #endif
459 #if ENABLE_HUSH_JOB
460         sigjmp_buf toplevel_jb;
461 #endif
462         unsigned char charmap[256];
463         char user_input_buf[ENABLE_FEATURE_EDITING ? BUFSIZ : 2];
464 };
465
466 #define G (*ptr_to_globals)
467
468 #if !ENABLE_HUSH_INTERACTIVE
469 enum { interactive_fd = 0 };
470 #endif
471 #if !ENABLE_HUSH_JOB
472 enum { run_list_level = 0 };
473 #endif
474
475 #if ENABLE_HUSH_INTERACTIVE
476 #define interactive_fd   (G.interactive_fd  )
477 #define PS1              (G.PS1             )
478 #define PS2              (G.PS2             )
479 #endif
480 #if ENABLE_FEATURE_EDITING
481 #define line_input_state (G.line_input_state)
482 #endif
483 #define root_pid         (G.root_pid        )
484 #if ENABLE_HUSH_JOB
485 #define run_list_level   (G.run_list_level  )
486 #define saved_task_pgrp  (G.saved_task_pgrp )
487 #define saved_tty_pgrp   (G.saved_tty_pgrp  )
488 #define last_jobid       (G.last_jobid      )
489 #define job_list         (G.job_list        )
490 #define toplevel_list    (G.toplevel_list   )
491 #define toplevel_jb      (G.toplevel_jb     )
492 #define ctrl_z_flag      (G.ctrl_z_flag     )
493 #endif /* JOB */
494 #define global_argv      (G.global_argv     )
495 #define global_argc      (G.global_argc     )
496 #define last_return_code (G.last_return_code)
497 #define ifs              (G.ifs             )
498 #define flag_break_continue  (G.flag_break_continue )
499 #define depth_break_continue (G.depth_break_continue)
500 #define depth_of_loop    (G.depth_of_loop   )
501 #define fake_mode        (G.fake_mode       )
502 #define cwd              (G.cwd             )
503 #define last_bg_pid      (G.last_bg_pid     )
504 #define top_var          (G.top_var         )
505 #define shell_ver        (G.shell_ver       )
506 #if ENABLE_FEATURE_SH_STANDALONE
507 #define nofork_save      (G.nofork_save     )
508 #endif
509 #if ENABLE_HUSH_JOB
510 #define toplevel_jb      (G.toplevel_jb     )
511 #endif
512 #define charmap          (G.charmap         )
513 #define user_input_buf   (G.user_input_buf  )
514 #define INIT_G() do { \
515         SET_PTR_TO_GLOBALS(xzalloc(sizeof(G))); \
516 } while (0)
517
518
519 #define JOB_STATUS_FORMAT "[%d] %-22s %.40s\n"
520
521 #if 1
522 /* Normal */
523 static void syntax(const char *msg)
524 {
525         /* Was using fancy stuff:
526          * (interactive_fd ? bb_error_msg : bb_error_msg_and_die)(...params...)
527          * but it SEGVs. ?! Oh well... explicit temp ptr works around that */
528         void FAST_FUNC (*fp)(const char *s, ...);
529
530         fp = (interactive_fd ? bb_error_msg : bb_error_msg_and_die);
531         fp(msg ? "%s: %s" : "syntax error", "syntax error", msg);
532 }
533
534 #else
535 /* Debug */
536 static void syntax_lineno(int line)
537 {
538         void FAST_FUNC (*fp)(const char *s, ...);
539
540         fp = (interactive_fd ? bb_error_msg : bb_error_msg_and_die);
541         fp("syntax error hush.c:%d", line);
542 }
543 #define syntax(str) syntax_lineno(__LINE__)
544 #endif
545
546 /* Index of subroutines: */
547 /*  in_str manipulations: */
548 static int static_get(struct in_str *i);
549 static int static_peek(struct in_str *i);
550 static int file_get(struct in_str *i);
551 static int file_peek(struct in_str *i);
552 static void setup_file_in_str(struct in_str *i, FILE *f);
553 static void setup_string_in_str(struct in_str *i, const char *s);
554 /*  "run" the final data structures: */
555 #if !defined(DEBUG_CLEAN)
556 #define free_pipe_list(head, indent) free_pipe_list(head)
557 #define free_pipe(pi, indent)        free_pipe(pi)
558 #endif
559 static int free_pipe_list(struct pipe *head, int indent);
560 static int free_pipe(struct pipe *pi, int indent);
561 /*  really run the final data structures: */
562 static int setup_redirects(struct child_prog *prog, int squirrel[]);
563 static int run_list(struct pipe *pi);
564 #if BB_MMU
565 #define pseudo_exec_argv(ptrs2free, argv, argv_expanded) pseudo_exec_argv(argv, argv_expanded)
566 #define      pseudo_exec(ptrs2free, child, argv_expanded)     pseudo_exec(child, argv_expanded)
567 #endif
568 static void pseudo_exec_argv(char **ptrs2free, char **argv, char **argv_expanded) NORETURN;
569 static void pseudo_exec(char **ptrs2free, struct child_prog *child, char **argv_expanded) NORETURN;
570 static int run_pipe(struct pipe *pi);
571 /*   data structure manipulation: */
572 static int setup_redirect(struct p_context *ctx, int fd, redir_type style, struct in_str *input);
573 static void initialize_context(struct p_context *ctx);
574 static int done_word(o_string *dest, struct p_context *ctx);
575 static int done_command(struct p_context *ctx);
576 static void done_pipe(struct p_context *ctx, pipe_style type);
577 /*   primary string parsing: */
578 static int redirect_dup_num(struct in_str *input);
579 static int redirect_opt_num(o_string *o);
580 #if ENABLE_HUSH_TICK
581 static int process_command_subs(o_string *dest,
582                 struct in_str *input, const char *subst_end);
583 #endif
584 static int parse_group(o_string *dest, struct p_context *ctx, struct in_str *input, int ch);
585 static const char *lookup_param(const char *src);
586 static int handle_dollar(o_string *dest,
587                 struct in_str *input);
588 static int parse_stream(o_string *dest, struct p_context *ctx, struct in_str *input0, const char *end_trigger);
589 /*   setup: */
590 static int parse_and_run_stream(struct in_str *inp, int parse_flag);
591 static int parse_and_run_string(const char *s, int parse_flag);
592 static int parse_and_run_file(FILE *f);
593 /*   job management: */
594 static int checkjobs(struct pipe* fg_pipe);
595 #if ENABLE_HUSH_JOB
596 static int checkjobs_and_fg_shell(struct pipe* fg_pipe);
597 static void insert_bg_job(struct pipe *pi);
598 static void remove_bg_job(struct pipe *pi);
599 static void delete_finished_bg_job(struct pipe *pi);
600 #else
601 int checkjobs_and_fg_shell(struct pipe* fg_pipe); /* never called */
602 #endif
603 /*     local variable support */
604 static char **expand_strvec_to_strvec(char **argv);
605 /* used for eval */
606 static char *expand_strvec_to_string(char **argv);
607 /* used for expansion of right hand of assignments */
608 static char *expand_string_to_string(const char *str);
609 static struct variable *get_local_var(const char *name);
610 static int set_local_var(char *str, int flg_export);
611 static void unset_local_var(const char *name);
612
613
614 static int glob_needed(const char *s)
615 {
616         while (*s) {
617                 if (*s == '\\')
618                         s++;
619                 if (*s == '*' || *s == '[' || *s == '?')
620                         return 1;
621                 s++;
622         }
623         return 0;
624 }
625
626 static int is_assignment(const char *s)
627 {
628         if (!s || !isalpha(*s))
629                 return 0;
630         s++;
631         while (isalnum(*s) || *s == '_')
632                 s++;
633         return *s == '=';
634 }
635
636 /* Replace each \x with x in place, return ptr past NUL. */
637 static char *unbackslash(char *src)
638 {
639         char *dst = src;
640         while (1) {
641                 if (*src == '\\')
642                         src++;
643                 if ((*dst++ = *src++) == '\0')
644                         break;
645         }
646         return dst;
647 }
648
649 static char **add_malloced_strings_to_strings(char **strings, char **add)
650 {
651         int i;
652         unsigned count1;
653         unsigned count2;
654         char **v;
655
656         v = strings;
657         count1 = 0;
658         if (v) {
659                 while (*v) {
660                         count1++;
661                         v++;
662                 }
663         }
664         count2 = 0;
665         v = add;
666         while (*v) {
667                 count2++;
668                 v++;
669         }
670         v = xrealloc(strings, (count1 + count2 + 1) * sizeof(char*));
671         v[count1 + count2] = NULL;
672         i = count2;
673         while (--i >= 0)
674                 v[count1 + i] = add[i];
675         return v;
676 }
677
678 static char **add_malloced_string_to_strings(char **strings, char *add)
679 {
680         char *v[2];
681
682         v[0] = add;
683         v[1] = NULL;
684
685         return add_malloced_strings_to_strings(strings, v);
686 }
687
688 static void free_strings(char **strings)
689 {
690         if (strings) {
691                 char **v = strings;
692                 while (*v)
693                         free(*v++);
694                 free(strings);
695         }
696 }
697
698 #if !BB_MMU
699 #define EXTRA_PTRS 5 /* 1 for NULL, 1 for args, 3 for paranoid reasons */
700 static char **alloc_ptrs(char **argv)
701 {
702         char **v = argv;
703         while (*v)
704                 v++;
705         return xzalloc((v - argv + EXTRA_PTRS) * sizeof(v[0]));
706 }
707 #endif
708
709
710 /* Function prototypes for builtins */
711 static int builtin_cd(char **argv);
712 static int builtin_echo(char **argv);
713 static int builtin_eval(char **argv);
714 static int builtin_exec(char **argv);
715 static int builtin_exit(char **argv);
716 static int builtin_export(char **argv);
717 #if ENABLE_HUSH_JOB
718 static int builtin_fg_bg(char **argv);
719 static int builtin_jobs(char **argv);
720 #endif
721 #if ENABLE_HUSH_HELP
722 static int builtin_help(char **argv);
723 #endif
724 static int builtin_pwd(char **argv);
725 static int builtin_read(char **argv);
726 static int builtin_test(char **argv);
727 static int builtin_true(char **argv);
728 static int builtin_set(char **argv);
729 static int builtin_shift(char **argv);
730 static int builtin_source(char **argv);
731 static int builtin_umask(char **argv);
732 static int builtin_unset(char **argv);
733 #if ENABLE_HUSH_LOOPS
734 static int builtin_break(char **argv);
735 static int builtin_continue(char **argv);
736 #endif
737 //static int builtin_not_written(char **argv);
738
739 /* Table of built-in functions.  They can be forked or not, depending on
740  * context: within pipes, they fork.  As simple commands, they do not.
741  * When used in non-forking context, they can change global variables
742  * in the parent shell process.  If forked, of course they cannot.
743  * For example, 'unset foo | whatever' will parse and run, but foo will
744  * still be set at the end. */
745 struct built_in_command {
746         const char *cmd;
747         int (*function)(char **argv);
748 #if ENABLE_HUSH_HELP
749         const char *descr;
750 #define BLTIN(cmd, func, help) { cmd, func, help }
751 #else
752 #define BLTIN(cmd, func, help) { cmd, func }
753 #endif
754 };
755
756 /* For now, echo and test are unconditionally enabled.
757  * Maybe make it configurable? */
758 static const struct built_in_command bltins[] = {
759         BLTIN("."     , builtin_source, "Run commands in a file"),
760         BLTIN(":"     , builtin_true, "No-op"),
761         BLTIN("["     , builtin_test, "Test condition"),
762         BLTIN("[["    , builtin_test, "Test condition"),
763 #if ENABLE_HUSH_JOB
764         BLTIN("bg"    , builtin_fg_bg, "Resume a job in the background"),
765 #endif
766 #if ENABLE_HUSH_LOOPS
767         BLTIN("break" , builtin_break, "Exit from a loop"),
768 #endif
769         BLTIN("cd"    , builtin_cd, "Change directory"),
770 #if ENABLE_HUSH_LOOPS
771         BLTIN("continue", builtin_continue, "Start new loop iteration"),
772 #endif
773         BLTIN("echo"  , builtin_echo, "Write to stdout"),
774         BLTIN("eval"  , builtin_eval, "Construct and run shell command"),
775         BLTIN("exec"  , builtin_exec, "Execute command, don't return to shell"),
776         BLTIN("exit"  , builtin_exit, "Exit"),
777         BLTIN("export", builtin_export, "Set environment variable"),
778 #if ENABLE_HUSH_JOB
779         BLTIN("fg"    , builtin_fg_bg, "Bring job into the foreground"),
780         BLTIN("jobs"  , builtin_jobs, "List active jobs"),
781 #endif
782         BLTIN("pwd"   , builtin_pwd, "Print current directory"),
783         BLTIN("read"  , builtin_read, "Input environment variable"),
784 //      BLTIN("return", builtin_not_written, "Return from a function"),
785         BLTIN("set"   , builtin_set, "Set/unset shell local variables"),
786         BLTIN("shift" , builtin_shift, "Shift positional parameters"),
787 //      BLTIN("trap"  , builtin_not_written, "Trap signals"),
788         BLTIN("test"  , builtin_test, "Test condition"),
789 //      BLTIN("ulimit", builtin_not_written, "Control resource limits"),
790         BLTIN("umask" , builtin_umask, "Set file creation mask"),
791         BLTIN("unset" , builtin_unset, "Unset environment variable"),
792 #if ENABLE_HUSH_HELP
793         BLTIN("help"  , builtin_help, "List shell built-in commands"),
794 #endif
795 };
796
797
798 /* Signals are grouped, we handle them in batches */
799 static void set_misc_sighandler(void (*handler)(int))
800 {
801         bb_signals(0
802                 + (1 << SIGINT)
803                 + (1 << SIGQUIT)
804                 + (1 << SIGTERM)
805                 , handler);
806 }
807
808 #if ENABLE_HUSH_JOB
809
810 static void set_fatal_sighandler(void (*handler)(int))
811 {
812         bb_signals(0
813                 + (1 << SIGILL)
814                 + (1 << SIGTRAP)
815                 + (1 << SIGABRT)
816                 + (1 << SIGFPE)
817                 + (1 << SIGBUS)
818                 + (1 << SIGSEGV)
819         /* bash 3.2 seems to handle these just like 'fatal' ones */
820                 + (1 << SIGHUP)
821                 + (1 << SIGPIPE)
822                 + (1 << SIGALRM)
823                 , handler);
824 }
825 static void set_jobctrl_sighandler(void (*handler)(int))
826 {
827         bb_signals(0
828                 + (1 << SIGTSTP)
829                 + (1 << SIGTTIN)
830                 + (1 << SIGTTOU)
831                 , handler);
832 }
833 /* SIGCHLD is special and handled separately */
834
835 static void set_every_sighandler(void (*handler)(int))
836 {
837         set_fatal_sighandler(handler);
838         set_jobctrl_sighandler(handler);
839         set_misc_sighandler(handler);
840         signal(SIGCHLD, handler);
841 }
842
843 static void handler_ctrl_c(int sig UNUSED_PARAM)
844 {
845         debug_printf_jobs("got sig %d\n", sig);
846 // as usual we can have all kinds of nasty problems with leaked malloc data here
847         siglongjmp(toplevel_jb, 1);
848 }
849
850 static void handler_ctrl_z(int sig UNUSED_PARAM)
851 {
852         pid_t pid;
853
854         debug_printf_jobs("got tty sig %d in pid %d\n", sig, getpid());
855         pid = fork();
856         if (pid < 0) /* can't fork. Pretend there was no ctrl-Z */
857                 return;
858         ctrl_z_flag = 1;
859         if (!pid) { /* child */
860                 if (ENABLE_HUSH_JOB)
861                         die_sleep = 0; /* let nofork's xfuncs die */
862                 setpgrp();
863                 debug_printf_jobs("set pgrp for child %d ok\n", getpid());
864                 set_every_sighandler(SIG_DFL);
865                 raise(SIGTSTP); /* resend TSTP so that child will be stopped */
866                 debug_printf_jobs("returning in child\n");
867                 /* return to nofork, it will eventually exit now,
868                  * not return back to shell */
869                 return;
870         }
871         /* parent */
872         /* finish filling up pipe info */
873         toplevel_list->pgrp = pid; /* child is in its own pgrp */
874         toplevel_list->progs[0].pid = pid;
875         /* parent needs to longjmp out of running nofork.
876          * we will "return" exitcode 0, with child put in background */
877 // as usual we can have all kinds of nasty problems with leaked malloc data here
878         debug_printf_jobs("siglongjmp in parent\n");
879         siglongjmp(toplevel_jb, 1);
880 }
881
882 /* Restores tty foreground process group, and exits.
883  * May be called as signal handler for fatal signal
884  * (will faithfully resend signal to itself, producing correct exit state)
885  * or called directly with -EXITCODE.
886  * We also call it if xfunc is exiting. */
887 static void sigexit(int sig) NORETURN;
888 static void sigexit(int sig)
889 {
890         /* Disable all signals: job control, SIGPIPE, etc. */
891         sigprocmask_allsigs(SIG_BLOCK);
892
893         if (interactive_fd)
894                 tcsetpgrp(interactive_fd, saved_tty_pgrp);
895
896         /* Not a signal, just exit */
897         if (sig <= 0)
898                 _exit(- sig);
899
900         kill_myself_with_sig(sig); /* does not return */
901 }
902
903 /* Restores tty foreground process group, and exits. */
904 static void hush_exit(int exitcode) NORETURN;
905 static void hush_exit(int exitcode)
906 {
907         fflush(NULL); /* flush all streams */
908         sigexit(- (exitcode & 0xff));
909 }
910
911 #else /* !JOB */
912
913 #define set_fatal_sighandler(handler)   ((void)0)
914 #define set_jobctrl_sighandler(handler) ((void)0)
915 #define hush_exit(e)                    exit(e)
916
917 #endif /* JOB */
918
919
920 static const char *set_cwd(void)
921 {
922         if (cwd == bb_msg_unknown)
923                 cwd = NULL;     /* xrealloc_getcwd_or_warn(arg) calls free(arg)! */
924         cwd = xrealloc_getcwd_or_warn((char *)cwd);
925         if (!cwd)
926                 cwd = bb_msg_unknown;
927         return cwd;
928 }
929
930
931 /*
932  * o_string support
933  */
934 #define B_CHUNK  (32 * sizeof(char*))
935
936 static void o_reset(o_string *o)
937 {
938         o->length = 0;
939         o->nonnull = 0;
940         if (o->data)
941                 o->data[0] = '\0';
942 }
943
944 static void o_free(o_string *o)
945 {
946         free(o->data);
947         memset(o, 0, sizeof(*o));
948 }
949
950 static void o_grow_by(o_string *o, int len)
951 {
952         if (o->length + len > o->maxlen) {
953                 o->maxlen += (2*len > B_CHUNK ? 2*len : B_CHUNK);
954                 o->data = xrealloc(o->data, 1 + o->maxlen);
955         }
956 }
957
958 static void o_addchr(o_string *o, int ch)
959 {
960         debug_printf("o_addchr: '%c' o->length=%d o=%p\n", ch, o->length, o);
961         o_grow_by(o, 1);
962         o->data[o->length] = ch;
963         o->length++;
964         o->data[o->length] = '\0';
965 }
966
967 static void o_addstr(o_string *o, const char *str, int len)
968 {
969         o_grow_by(o, len);
970         memcpy(&o->data[o->length], str, len);
971         o->length += len;
972         o->data[o->length] = '\0';
973 }
974
975 static void o_addstr_duplicate_backslash(o_string *o, const char *str, int len)
976 {
977         while (len) {
978                 o_addchr(o, *str);
979                 if (*str++ == '\\'
980                  && (*str != '*' && *str != '?' && *str != '[')
981                 ) {
982                         o_addchr(o, '\\');
983                 }
984                 len--;
985         }
986 }
987
988 /* My analysis of quoting semantics tells me that state information
989  * is associated with a destination, not a source.
990  */
991 static void o_addqchr(o_string *o, int ch)
992 {
993         int sz = 1;
994         if (strchr("*?[\\", ch)) {
995                 sz++;
996                 o->data[o->length] = '\\';
997                 o->length++;
998         }
999         o_grow_by(o, sz);
1000         o->data[o->length] = ch;
1001         o->length++;
1002         o->data[o->length] = '\0';
1003 }
1004
1005 static void o_addQchr(o_string *o, int ch)
1006 {
1007         int sz = 1;
1008         if (o->o_quote && strchr("*?[\\", ch)) {
1009                 sz++;
1010                 o->data[o->length] = '\\';
1011                 o->length++;
1012         }
1013         o_grow_by(o, sz);
1014         o->data[o->length] = ch;
1015         o->length++;
1016         o->data[o->length] = '\0';
1017 }
1018
1019 static void o_addQstr(o_string *o, const char *str, int len)
1020 {
1021         if (!o->o_quote) {
1022                 o_addstr(o, str, len);
1023                 return;
1024         }
1025         while (len) {
1026                 char ch;
1027                 int sz;
1028                 int ordinary_cnt = strcspn(str, "*?[\\");
1029                 if (ordinary_cnt > len) /* paranoia */
1030                         ordinary_cnt = len;
1031                 o_addstr(o, str, ordinary_cnt);
1032                 if (ordinary_cnt == len)
1033                         return;
1034                 str += ordinary_cnt;
1035                 len -= ordinary_cnt + 1; /* we are processing + 1 char below */
1036
1037                 ch = *str++;
1038                 sz = 1;
1039                 if (ch) { /* it is necessarily one of "*?[\\" */
1040                         sz++;
1041                         o->data[o->length] = '\\';
1042                         o->length++;
1043                 }
1044                 o_grow_by(o, sz);
1045                 o->data[o->length] = ch;
1046                 o->length++;
1047                 o->data[o->length] = '\0';
1048         }
1049 }
1050
1051 /* A special kind of o_string for $VAR and `cmd` expansion.
1052  * It contains char* list[] at the beginning, which is grown in 16 element
1053  * increments. Actual string data starts at the next multiple of 16 * (char*).
1054  * list[i] contains an INDEX (int!) into this string data.
1055  * It means that if list[] needs to grow, data needs to be moved higher up
1056  * but list[i]'s need not be modified.
1057  * NB: remembering how many list[i]'s you have there is crucial.
1058  * o_finalize_list() operation post-processes this structure - calculates
1059  * and stores actual char* ptrs in list[]. Oh, it NULL terminates it as well.
1060  */
1061 #if DEBUG_EXPAND || DEBUG_GLOB
1062 static void debug_print_list(const char *prefix, o_string *o, int n)
1063 {
1064         char **list = (char**)o->data;
1065         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1066         int i = 0;
1067         fprintf(stderr, "%s: list:%p n:%d string_start:%d length:%d maxlen:%d\n",
1068                         prefix, list, n, string_start, o->length, o->maxlen);
1069         while (i < n) {
1070                 fprintf(stderr, " list[%d]=%d '%s' %p\n", i, (int)list[i],
1071                                 o->data + (int)list[i] + string_start,
1072                                 o->data + (int)list[i] + string_start);
1073                 i++;
1074         }
1075         if (n) {
1076                 const char *p = o->data + (int)list[n - 1] + string_start;
1077                 fprintf(stderr, " total_sz:%d\n", (p + strlen(p) + 1) - o->data);
1078         }
1079 }
1080 #else
1081 #define debug_print_list(prefix, o, n) ((void)0)
1082 #endif
1083
1084 /* n = o_save_ptr_helper(str, n) "starts new string" by storing an index value
1085  * in list[n] so that it points past last stored byte so far.
1086  * It returns n+1. */
1087 static int o_save_ptr_helper(o_string *o, int n)
1088 {
1089         char **list = (char**)o->data;
1090         int string_start;
1091         int string_len;
1092
1093         if (!o->has_empty_slot) {
1094                 string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1095                 string_len = o->length - string_start;
1096                 if (!(n & 0xf)) { /* 0, 0x10, 0x20...? */
1097                         debug_printf_list("list[%d]=%d string_start=%d (growing)\n", n, string_len, string_start);
1098                         /* list[n] points to string_start, make space for 16 more pointers */
1099                         o->maxlen += 0x10 * sizeof(list[0]);
1100                         o->data = xrealloc(o->data, o->maxlen + 1);
1101                         list = (char**)o->data;
1102                         memmove(list + n + 0x10, list + n, string_len);
1103                         o->length += 0x10 * sizeof(list[0]);
1104                 } else
1105                         debug_printf_list("list[%d]=%d string_start=%d\n", n, string_len, string_start);
1106         } else {
1107                 /* We have empty slot at list[n], reuse without growth */
1108                 string_start = ((n+1 + 0xf) & ~0xf) * sizeof(list[0]); /* NB: n+1! */
1109                 string_len = o->length - string_start;
1110                 debug_printf_list("list[%d]=%d string_start=%d (empty slot)\n", n, string_len, string_start);
1111                 o->has_empty_slot = 0;
1112         }
1113         list[n] = (char*)(ptrdiff_t)string_len;
1114         return n + 1;
1115 }
1116
1117 /* "What was our last o_save_ptr'ed position (byte offset relative o->data)?" */
1118 static int o_get_last_ptr(o_string *o, int n)
1119 {
1120         char **list = (char**)o->data;
1121         int string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1122
1123         return ((int)(ptrdiff_t)list[n-1]) + string_start;
1124 }
1125
1126 /* o_glob performs globbing on last list[], saving each result
1127  * as a new list[]. */
1128 static int o_glob(o_string *o, int n)
1129 {
1130         glob_t globdata;
1131         int gr;
1132         char *pattern;
1133
1134         debug_printf_glob("start o_glob: n:%d o->data:%p\n", n, o->data);
1135         if (!o->data)
1136                 return o_save_ptr_helper(o, n);
1137         pattern = o->data + o_get_last_ptr(o, n);
1138         debug_printf_glob("glob pattern '%s'\n", pattern);
1139         if (!glob_needed(pattern)) {
1140  literal:
1141                 o->length = unbackslash(pattern) - o->data;
1142                 debug_printf_glob("glob pattern '%s' is literal\n", pattern);
1143                 return o_save_ptr_helper(o, n);
1144         }
1145
1146         memset(&globdata, 0, sizeof(globdata));
1147         gr = glob(pattern, 0, NULL, &globdata);
1148         debug_printf_glob("glob('%s'):%d\n", pattern, gr);
1149         if (gr == GLOB_NOSPACE)
1150                 bb_error_msg_and_die("out of memory during glob");
1151         if (gr == GLOB_NOMATCH) {
1152                 globfree(&globdata);
1153                 goto literal;
1154         }
1155         if (gr != 0) { /* GLOB_ABORTED ? */
1156 //TODO: testcase for bad glob pattern behavior
1157                 bb_error_msg("glob(3) error %d on '%s'", gr, pattern);
1158         }
1159         if (globdata.gl_pathv && globdata.gl_pathv[0]) {
1160                 char **argv = globdata.gl_pathv;
1161                 o->length = pattern - o->data; /* "forget" pattern */
1162                 while (1) {
1163                         o_addstr(o, *argv, strlen(*argv) + 1);
1164                         n = o_save_ptr_helper(o, n);
1165                         argv++;
1166                         if (!*argv)
1167                                 break;
1168                 }
1169         }
1170         globfree(&globdata);
1171         if (DEBUG_GLOB)
1172                 debug_print_list("o_glob returning", o, n);
1173         return n;
1174 }
1175
1176 /* If o->o_glob == 1, glob the string so far remembered.
1177  * Otherwise, just finish current list[] and start new */
1178 static int o_save_ptr(o_string *o, int n)
1179 {
1180         if (o->o_glob)
1181                 return o_glob(o, n); /* o_save_ptr_helper is inside */
1182         return o_save_ptr_helper(o, n);
1183 }
1184
1185 /* "Please convert list[n] to real char* ptrs, and NULL terminate it." */
1186 static char **o_finalize_list(o_string *o, int n)
1187 {
1188         char **list;
1189         int string_start;
1190
1191         n = o_save_ptr(o, n); /* force growth for list[n] if necessary */
1192         if (DEBUG_EXPAND)
1193                 debug_print_list("finalized", o, n);
1194         debug_printf_expand("finalized n:%d\n", n);
1195         list = (char**)o->data;
1196         string_start = ((n + 0xf) & ~0xf) * sizeof(list[0]);
1197         list[--n] = NULL;
1198         while (n) {
1199                 n--;
1200                 list[n] = o->data + (int)(ptrdiff_t)list[n] + string_start;
1201         }
1202         return list;
1203 }
1204
1205
1206 /*
1207  * in_str support
1208  */
1209 static int static_get(struct in_str *i)
1210 {
1211         int ch = *i->p++;
1212         if (ch == '\0') return EOF;
1213         return ch;
1214 }
1215
1216 static int static_peek(struct in_str *i)
1217 {
1218         return *i->p;
1219 }
1220
1221 #if ENABLE_HUSH_INTERACTIVE
1222
1223 #if ENABLE_FEATURE_EDITING
1224 static void cmdedit_set_initial_prompt(void)
1225 {
1226 #if !ENABLE_FEATURE_EDITING_FANCY_PROMPT
1227         PS1 = NULL;
1228 #else
1229         PS1 = getenv("PS1");
1230         if (PS1 == NULL)
1231                 PS1 = "\\w \\$ ";
1232 #endif
1233 }
1234 #endif /* EDITING */
1235
1236 static const char* setup_prompt_string(int promptmode)
1237 {
1238         const char *prompt_str;
1239         debug_printf("setup_prompt_string %d ", promptmode);
1240 #if !ENABLE_FEATURE_EDITING_FANCY_PROMPT
1241         /* Set up the prompt */
1242         if (promptmode == 0) { /* PS1 */
1243                 free((char*)PS1);
1244                 PS1 = xasprintf("%s %c ", cwd, (geteuid() != 0) ? '$' : '#');
1245                 prompt_str = PS1;
1246         } else {
1247                 prompt_str = PS2;
1248         }
1249 #else
1250         prompt_str = (promptmode == 0) ? PS1 : PS2;
1251 #endif
1252         debug_printf("result '%s'\n", prompt_str);
1253         return prompt_str;
1254 }
1255
1256 static void get_user_input(struct in_str *i)
1257 {
1258         int r;
1259         const char *prompt_str;
1260
1261         prompt_str = setup_prompt_string(i->promptmode);
1262 #if ENABLE_FEATURE_EDITING
1263         /* Enable command line editing only while a command line
1264          * is actually being read */
1265         do {
1266                 r = read_line_input(prompt_str, user_input_buf, BUFSIZ-1, line_input_state);
1267         } while (r == 0); /* repeat if Ctrl-C */
1268         i->eof_flag = (r < 0);
1269         if (i->eof_flag) { /* EOF/error detected */
1270                 user_input_buf[0] = EOF; /* yes, it will be truncated, it's ok */
1271                 user_input_buf[1] = '\0';
1272         }
1273 #else
1274         fputs(prompt_str, stdout);
1275         fflush(stdout);
1276         user_input_buf[0] = r = fgetc(i->file);
1277         /*user_input_buf[1] = '\0'; - already is and never changed */
1278         i->eof_flag = (r == EOF);
1279 #endif
1280         i->p = user_input_buf;
1281 }
1282
1283 #endif  /* INTERACTIVE */
1284
1285 /* This is the magic location that prints prompts
1286  * and gets data back from the user */
1287 static int file_get(struct in_str *i)
1288 {
1289         int ch;
1290
1291         /* If there is data waiting, eat it up */
1292         if (i->p && *i->p) {
1293 #if ENABLE_HUSH_INTERACTIVE
1294  take_cached:
1295 #endif
1296                 ch = *i->p++;
1297                 if (i->eof_flag && !*i->p)
1298                         ch = EOF;
1299         } else {
1300                 /* need to double check i->file because we might be doing something
1301                  * more complicated by now, like sourcing or substituting. */
1302 #if ENABLE_HUSH_INTERACTIVE
1303                 if (interactive_fd && i->promptme && i->file == stdin) {
1304                         do {
1305                                 get_user_input(i);
1306                         } while (!*i->p); /* need non-empty line */
1307                         i->promptmode = 1; /* PS2 */
1308                         i->promptme = 0;
1309                         goto take_cached;
1310                 }
1311 #endif
1312                 ch = fgetc(i->file);
1313         }
1314         debug_printf("file_get: got a '%c' %d\n", ch, ch);
1315 #if ENABLE_HUSH_INTERACTIVE
1316         if (ch == '\n')
1317                 i->promptme = 1;
1318 #endif
1319         return ch;
1320 }
1321
1322 /* All the callers guarantee this routine will never be
1323  * used right after a newline, so prompting is not needed.
1324  */
1325 static int file_peek(struct in_str *i)
1326 {
1327         int ch;
1328         if (i->p && *i->p) {
1329                 if (i->eof_flag && !i->p[1])
1330                         return EOF;
1331                 return *i->p;
1332         }
1333         ch = fgetc(i->file);
1334         i->eof_flag = (ch == EOF);
1335         i->peek_buf[0] = ch;
1336         i->peek_buf[1] = '\0';
1337         i->p = i->peek_buf;
1338         debug_printf("file_peek: got a '%c' %d\n", *i->p, *i->p);
1339         return ch;
1340 }
1341
1342 static void setup_file_in_str(struct in_str *i, FILE *f)
1343 {
1344         i->peek = file_peek;
1345         i->get = file_get;
1346 #if ENABLE_HUSH_INTERACTIVE
1347         i->promptme = 1;
1348         i->promptmode = 0; /* PS1 */
1349 #endif
1350         i->file = f;
1351         i->p = NULL;
1352 }
1353
1354 static void setup_string_in_str(struct in_str *i, const char *s)
1355 {
1356         i->peek = static_peek;
1357         i->get = static_get;
1358 #if ENABLE_HUSH_INTERACTIVE
1359         i->promptme = 1;
1360         i->promptmode = 0; /* PS1 */
1361 #endif
1362         i->p = s;
1363         i->eof_flag = 0;
1364 }
1365
1366
1367 /* squirrel != NULL means we squirrel away copies of stdin, stdout,
1368  * and stderr if they are redirected. */
1369 static int setup_redirects(struct child_prog *prog, int squirrel[])
1370 {
1371         int openfd, mode;
1372         struct redir_struct *redir;
1373
1374         for (redir = prog->redirects; redir; redir = redir->next) {
1375                 if (redir->dup == -1 && redir->rd_filename == NULL) {
1376                         /* something went wrong in the parse.  Pretend it didn't happen */
1377                         continue;
1378                 }
1379                 if (redir->dup == -1) {
1380                         char *p;
1381                         mode = redir_table[redir->rd_type].mode;
1382 //TODO: check redir for names like '\\'
1383                         p = expand_string_to_string(redir->rd_filename);
1384                         openfd = open_or_warn(p, mode);
1385                         free(p);
1386                         if (openfd < 0) {
1387                         /* this could get lost if stderr has been redirected, but
1388                            bash and ash both lose it as well (though zsh doesn't!) */
1389                                 return 1;
1390                         }
1391                 } else {
1392                         openfd = redir->dup;
1393                 }
1394
1395                 if (openfd != redir->fd) {
1396                         if (squirrel && redir->fd < 3) {
1397                                 squirrel[redir->fd] = dup(redir->fd);
1398                         }
1399                         if (openfd == -3) {
1400                                 //close(openfd); // close(-3) ??!
1401                         } else {
1402                                 dup2(openfd, redir->fd);
1403                                 if (redir->dup == -1)
1404                                         close(openfd);
1405                         }
1406                 }
1407         }
1408         return 0;
1409 }
1410
1411 static void restore_redirects(int squirrel[])
1412 {
1413         int i, fd;
1414         for (i = 0; i < 3; i++) {
1415                 fd = squirrel[i];
1416                 if (fd != -1) {
1417                         /* We simply die on error */
1418                         xmove_fd(fd, i);
1419                 }
1420         }
1421 }
1422
1423
1424 /* Called after [v]fork() in run_pipe(), or from builtin_exec().
1425  * Never returns.
1426  * XXX no exit() here.  If you don't exec, use _exit instead.
1427  * The at_exit handlers apparently confuse the calling process,
1428  * in particular stdin handling.  Not sure why? -- because of vfork! (vda) */
1429 static void pseudo_exec_argv(char **ptrs2free, char **argv, char **argv_expanded)
1430 {
1431         int i, rcode;
1432         char *p;
1433         const struct built_in_command *x;
1434
1435         for (i = 0; is_assignment(argv[i]); i++) {
1436                 debug_printf_exec("pid %d environment modification: %s\n",
1437                                 getpid(), argv[i]);
1438                 p = expand_string_to_string(argv[i]);
1439 #if !BB_MMU
1440                 *ptrs2free++ = p;
1441 #endif
1442                 putenv(p);
1443         }
1444         argv += i;
1445         /* If a variable is assigned in a forest, and nobody listens,
1446          * was it ever really set?
1447          */
1448         if (!argv[0])
1449                 _exit(EXIT_SUCCESS);
1450
1451         if (argv_expanded) {
1452                 argv = argv_expanded;
1453         } else {
1454                 argv = expand_strvec_to_strvec(argv);
1455 #if !BB_MMU
1456                 *ptrs2free++ = (char*) argv;
1457 #endif
1458         }
1459
1460         /*
1461          * Check if the command matches any of the builtins.
1462          * Depending on context, this might be redundant.  But it's
1463          * easier to waste a few CPU cycles than it is to figure out
1464          * if this is one of those cases.
1465          */
1466         for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
1467                 if (strcmp(argv[0], x->cmd) == 0) {
1468                         debug_printf_exec("running builtin '%s'\n", argv[0]);
1469                         rcode = x->function(argv);
1470                         fflush(stdout);
1471                         _exit(rcode);
1472                 }
1473         }
1474
1475         /* Check if the command matches any busybox applets */
1476 #if ENABLE_FEATURE_SH_STANDALONE
1477         if (strchr(argv[0], '/') == NULL) {
1478                 int a = find_applet_by_name(argv[0]);
1479                 if (a >= 0) {
1480                         if (APPLET_IS_NOEXEC(a)) {
1481                                 debug_printf_exec("running applet '%s'\n", argv[0]);
1482 // is it ok that run_applet_no_and_exit() does exit(), not _exit()?
1483                                 run_applet_no_and_exit(a, argv);
1484                         }
1485                         /* re-exec ourselves with the new arguments */
1486                         debug_printf_exec("re-execing applet '%s'\n", argv[0]);
1487                         execvp(bb_busybox_exec_path, argv);
1488                         /* If they called chroot or otherwise made the binary no longer
1489                          * executable, fall through */
1490                 }
1491         }
1492 #endif
1493
1494         debug_printf_exec("execing '%s'\n", argv[0]);
1495         execvp(argv[0], argv);
1496         bb_perror_msg("can't exec '%s'", argv[0]);
1497         _exit(EXIT_FAILURE);
1498 }
1499
1500 /* Called after [v]fork() in run_pipe()
1501  */
1502 static void pseudo_exec(char **ptrs2free, struct child_prog *child, char **argv_expanded)
1503 {
1504         if (child->argv)
1505                 pseudo_exec_argv(ptrs2free, child->argv, argv_expanded);
1506
1507         if (child->group) {
1508 #if !BB_MMU
1509                 bb_error_msg_and_die("nested lists are not supported on NOMMU");
1510 #else
1511                 int rcode;
1512                 debug_printf_exec("pseudo_exec: run_list\n");
1513                 rcode = run_list(child->group);
1514                 /* OK to leak memory by not calling free_pipe_list,
1515                  * since this process is about to exit */
1516                 _exit(rcode);
1517 #endif
1518         }
1519
1520         /* Can happen.  See what bash does with ">foo" by itself. */
1521         debug_printf("trying to pseudo_exec null command\n");
1522         _exit(EXIT_SUCCESS);
1523 }
1524
1525 #if ENABLE_HUSH_JOB
1526 static const char *get_cmdtext(struct pipe *pi)
1527 {
1528         char **argv;
1529         char *p;
1530         int len;
1531
1532         /* This is subtle. ->cmdtext is created only on first backgrounding.
1533          * (Think "cat, <ctrl-z>, fg, <ctrl-z>, fg, <ctrl-z>...." here...)
1534          * On subsequent bg argv is trashed, but we won't use it */
1535         if (pi->cmdtext)
1536                 return pi->cmdtext;
1537         argv = pi->progs[0].argv;
1538         if (!argv || !argv[0]) {
1539                 pi->cmdtext = xzalloc(1);
1540                 return pi->cmdtext;
1541         }
1542
1543         len = 0;
1544         do len += strlen(*argv) + 1; while (*++argv);
1545         pi->cmdtext = p = xmalloc(len);
1546         argv = pi->progs[0].argv;
1547         do {
1548                 len = strlen(*argv);
1549                 memcpy(p, *argv, len);
1550                 p += len;
1551                 *p++ = ' ';
1552         } while (*++argv);
1553         p[-1] = '\0';
1554         return pi->cmdtext;
1555 }
1556
1557 static void insert_bg_job(struct pipe *pi)
1558 {
1559         struct pipe *thejob;
1560         int i;
1561
1562         /* Linear search for the ID of the job to use */
1563         pi->jobid = 1;
1564         for (thejob = job_list; thejob; thejob = thejob->next)
1565                 if (thejob->jobid >= pi->jobid)
1566                         pi->jobid = thejob->jobid + 1;
1567
1568         /* Add thejob to the list of running jobs */
1569         if (!job_list) {
1570                 thejob = job_list = xmalloc(sizeof(*thejob));
1571         } else {
1572                 for (thejob = job_list; thejob->next; thejob = thejob->next)
1573                         continue;
1574                 thejob->next = xmalloc(sizeof(*thejob));
1575                 thejob = thejob->next;
1576         }
1577
1578         /* Physically copy the struct job */
1579         memcpy(thejob, pi, sizeof(struct pipe));
1580         thejob->progs = xzalloc(sizeof(pi->progs[0]) * pi->num_progs);
1581         /* We cannot copy entire pi->progs[] vector! Double free()s will happen */
1582         for (i = 0; i < pi->num_progs; i++) {
1583 // TODO: do we really need to have so many fields which are just dead weight
1584 // at execution stage?
1585                 thejob->progs[i].pid = pi->progs[i].pid;
1586                 /* all other fields are not used and stay zero */
1587         }
1588         thejob->next = NULL;
1589         thejob->cmdtext = xstrdup(get_cmdtext(pi));
1590
1591         /* We don't wait for background thejobs to return -- append it
1592            to the list of backgrounded thejobs and leave it alone */
1593         printf("[%d] %d %s\n", thejob->jobid, thejob->progs[0].pid, thejob->cmdtext);
1594         last_bg_pid = thejob->progs[0].pid;
1595         last_jobid = thejob->jobid;
1596 }
1597
1598 static void remove_bg_job(struct pipe *pi)
1599 {
1600         struct pipe *prev_pipe;
1601
1602         if (pi == job_list) {
1603                 job_list = pi->next;
1604         } else {
1605                 prev_pipe = job_list;
1606                 while (prev_pipe->next != pi)
1607                         prev_pipe = prev_pipe->next;
1608                 prev_pipe->next = pi->next;
1609         }
1610         if (job_list)
1611                 last_jobid = job_list->jobid;
1612         else
1613                 last_jobid = 0;
1614 }
1615
1616 /* Remove a backgrounded job */
1617 static void delete_finished_bg_job(struct pipe *pi)
1618 {
1619         remove_bg_job(pi);
1620         pi->stopped_progs = 0;
1621         free_pipe(pi, 0);
1622         free(pi);
1623 }
1624 #endif /* JOB */
1625
1626 /* Check to see if any processes have exited -- if they
1627  * have, figure out why and see if a job has completed */
1628 static int checkjobs(struct pipe* fg_pipe)
1629 {
1630         int attributes;
1631         int status;
1632 #if ENABLE_HUSH_JOB
1633         struct pipe *pi;
1634 #endif
1635         pid_t childpid;
1636         int rcode = 0;
1637
1638         attributes = WUNTRACED;
1639         if (fg_pipe == NULL)
1640                 attributes |= WNOHANG;
1641
1642 /* Do we do this right?
1643  * bash-3.00# sleep 20 | false
1644  * <ctrl-Z pressed>
1645  * [3]+  Stopped          sleep 20 | false
1646  * bash-3.00# echo $?
1647  * 1   <========== bg pipe is not fully done, but exitcode is already known!
1648  */
1649
1650 //FIXME: non-interactive bash does not continue even if all processes in fg pipe
1651 //are stopped. Testcase: "cat | cat" in a script (not on command line)
1652 // + killall -STOP cat
1653
1654  wait_more:
1655 // TODO: safe_waitpid?
1656         while ((childpid = waitpid(-1, &status, attributes)) > 0) {
1657                 int i;
1658                 const int dead = WIFEXITED(status) || WIFSIGNALED(status);
1659 #if DEBUG_JOBS
1660                 if (WIFSTOPPED(status))
1661                         debug_printf_jobs("pid %d stopped by sig %d (exitcode %d)\n",
1662                                         childpid, WSTOPSIG(status), WEXITSTATUS(status));
1663                 if (WIFSIGNALED(status))
1664                         debug_printf_jobs("pid %d killed by sig %d (exitcode %d)\n",
1665                                         childpid, WTERMSIG(status), WEXITSTATUS(status));
1666                 if (WIFEXITED(status))
1667                         debug_printf_jobs("pid %d exited, exitcode %d\n",
1668                                         childpid, WEXITSTATUS(status));
1669 #endif
1670                 /* Were we asked to wait for fg pipe? */
1671                 if (fg_pipe) {
1672                         for (i = 0; i < fg_pipe->num_progs; i++) {
1673                                 debug_printf_jobs("check pid %d\n", fg_pipe->progs[i].pid);
1674                                 if (fg_pipe->progs[i].pid != childpid)
1675                                         continue;
1676                                 /* printf("process %d exit %d\n", i, WEXITSTATUS(status)); */
1677                                 if (dead) {
1678                                         fg_pipe->progs[i].pid = 0;
1679                                         fg_pipe->alive_progs--;
1680                                         if (i == fg_pipe->num_progs - 1) {
1681                                                 /* last process gives overall exitstatus */
1682                                                 rcode = WEXITSTATUS(status);
1683                                                 IF_HAS_KEYWORDS(if (fg_pipe->pi_inverted) rcode = !rcode;)
1684                                         }
1685                                 } else {
1686                                         fg_pipe->progs[i].is_stopped = 1;
1687                                         fg_pipe->stopped_progs++;
1688                                 }
1689                                 debug_printf_jobs("fg_pipe: alive_progs %d stopped_progs %d\n",
1690                                                 fg_pipe->alive_progs, fg_pipe->stopped_progs);
1691                                 if (fg_pipe->alive_progs - fg_pipe->stopped_progs <= 0) {
1692                                         /* All processes in fg pipe have exited/stopped */
1693 #if ENABLE_HUSH_JOB
1694                                         if (fg_pipe->alive_progs)
1695                                                 insert_bg_job(fg_pipe);
1696 #endif
1697                                         return rcode;
1698                                 }
1699                                 /* There are still running processes in the fg pipe */
1700                                 goto wait_more; /* do waitpid again */
1701                         }
1702                         /* it wasnt fg_pipe, look for process in bg pipes */
1703                 }
1704
1705 #if ENABLE_HUSH_JOB
1706                 /* We asked to wait for bg or orphaned children */
1707                 /* No need to remember exitcode in this case */
1708                 for (pi = job_list; pi; pi = pi->next) {
1709                         for (i = 0; i < pi->num_progs; i++) {
1710                                 if (pi->progs[i].pid == childpid)
1711                                         goto found_pi_and_prognum;
1712                         }
1713                 }
1714                 /* Happens when shell is used as init process (init=/bin/sh) */
1715                 debug_printf("checkjobs: pid %d was not in our list!\n", childpid);
1716                 continue; /* do waitpid again */
1717
1718  found_pi_and_prognum:
1719                 if (dead) {
1720                         /* child exited */
1721                         pi->progs[i].pid = 0;
1722                         pi->alive_progs--;
1723                         if (!pi->alive_progs) {
1724                                 printf(JOB_STATUS_FORMAT, pi->jobid,
1725                                                 "Done", pi->cmdtext);
1726                                 delete_finished_bg_job(pi);
1727                         }
1728                 } else {
1729                         /* child stopped */
1730                         pi->progs[i].is_stopped = 1;
1731                         pi->stopped_progs++;
1732                 }
1733 #endif
1734         } /* while (waitpid succeeds)... */
1735
1736         /* wait found no children or failed */
1737
1738         if (childpid && errno != ECHILD)
1739                 bb_perror_msg("waitpid");
1740         return rcode;
1741 }
1742
1743 #if ENABLE_HUSH_JOB
1744 static int checkjobs_and_fg_shell(struct pipe* fg_pipe)
1745 {
1746         pid_t p;
1747         int rcode = checkjobs(fg_pipe);
1748         /* Job finished, move the shell to the foreground */
1749         p = getpgid(0); /* pgid of our process */
1750         debug_printf_jobs("fg'ing ourself: getpgid(0)=%d\n", (int)p);
1751         tcsetpgrp(interactive_fd, p);
1752 //      if (tcsetpgrp(interactive_fd, p) && errno != ENOTTY)
1753 //              bb_perror_msg("tcsetpgrp-4a");
1754         return rcode;
1755 }
1756 #endif
1757
1758 /* run_pipe() starts all the jobs, but doesn't wait for anything
1759  * to finish.  See checkjobs().
1760  *
1761  * return code is normally -1, when the caller has to wait for children
1762  * to finish to determine the exit status of the pipe.  If the pipe
1763  * is a simple builtin command, however, the action is done by the
1764  * time run_pipe returns, and the exit code is provided as the
1765  * return value.
1766  *
1767  * The input of the pipe is always stdin, the output is always
1768  * stdout.  The outpipe[] mechanism in BusyBox-0.48 lash is bogus,
1769  * because it tries to avoid running the command substitution in
1770  * subshell, when that is in fact necessary.  The subshell process
1771  * now has its stdout directed to the input of the appropriate pipe,
1772  * so this routine is noticeably simpler.
1773  *
1774  * Returns -1 only if started some children. IOW: we have to
1775  * mask out retvals of builtins etc with 0xff!
1776  */
1777 static int run_pipe(struct pipe *pi)
1778 {
1779         int i;
1780         int nextin;
1781         int pipefds[2];         /* pipefds[0] is for reading */
1782         struct child_prog *child;
1783         char **argv_expanded = NULL;
1784         char **argv;
1785         const struct built_in_command *x;
1786         char *p;
1787         /* it is not always needed, but we aim to smaller code */
1788         int squirrel[] = { -1, -1, -1 };
1789         int rcode;
1790         const int single_and_fg = (pi->num_progs == 1 && pi->followup != PIPE_BG);
1791
1792         debug_printf_exec("run_pipe start: single_and_fg=%d\n", single_and_fg);
1793
1794 #if ENABLE_HUSH_JOB
1795         pi->pgrp = -1;
1796 #endif
1797         pi->alive_progs = 1;
1798         pi->stopped_progs = 0;
1799
1800         /* Check if this is a simple builtin (not part of a pipe).
1801          * Builtins within pipes have to fork anyway, and are handled in
1802          * pseudo_exec.  "echo foo | read bar" doesn't work on bash, either.
1803          */
1804         child = &(pi->progs[0]);
1805         if (single_and_fg && child->group && child->subshell == 0) {
1806                 debug_printf("non-subshell grouping\n");
1807                 setup_redirects(child, squirrel);
1808                 debug_printf_exec(": run_list\n");
1809                 rcode = run_list(child->group) & 0xff;
1810                 restore_redirects(squirrel);
1811                 debug_printf_exec("run_pipe return %d\n", rcode);
1812                 IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
1813                 return rcode;
1814         }
1815
1816         argv = child->argv;
1817
1818         if (single_and_fg && argv != NULL) {
1819                 for (i = 0; is_assignment(argv[i]); i++)
1820                         continue;
1821                 if (i != 0 && argv[i] == NULL) {
1822                         /* assignments, but no command: set local environment */
1823                         for (i = 0; argv[i] != NULL; i++) {
1824                                 debug_printf("local environment set: %s\n", argv[i]);
1825                                 p = expand_string_to_string(argv[i]);
1826                                 set_local_var(p, 0);
1827                         }
1828                         return EXIT_SUCCESS; /* don't worry about errors in set_local_var() yet */
1829                 }
1830
1831                 /* Expand assignments into one string each */
1832                 for (i = 0; is_assignment(argv[i]); i++) {
1833                         p = expand_string_to_string(argv[i]);
1834                         putenv(p);
1835 //FIXME: do we leak p?!
1836                 }
1837
1838                 /* Expand the rest into (possibly) many strings each */
1839                 argv_expanded = expand_strvec_to_strvec(argv + i);
1840
1841                 for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
1842                         if (strcmp(argv_expanded[0], x->cmd) == 0) {
1843                                 if (x->function == builtin_exec && argv_expanded[1] == NULL) {
1844                                         debug_printf("magic exec\n");
1845                                         setup_redirects(child, NULL);
1846                                         return EXIT_SUCCESS;
1847                                 }
1848                                 debug_printf("builtin inline %s\n", argv_expanded[0]);
1849                                 /* XXX setup_redirects acts on file descriptors, not FILEs.
1850                                  * This is perfect for work that comes after exec().
1851                                  * Is it really safe for inline use?  Experimentally,
1852                                  * things seem to work with glibc. */
1853                                 setup_redirects(child, squirrel);
1854                                 debug_printf_exec(": builtin '%s' '%s'...\n", x->cmd, argv_expanded[1]);
1855                                 rcode = x->function(argv_expanded) & 0xff;
1856                                 free(argv_expanded);
1857                                 restore_redirects(squirrel);
1858                                 debug_printf_exec("run_pipe return %d\n", rcode);
1859                                 IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
1860                                 return rcode;
1861                         }
1862                 }
1863 #if ENABLE_FEATURE_SH_STANDALONE
1864                 {
1865                         int a = find_applet_by_name(argv_expanded[0]);
1866                         if (a >= 0 && APPLET_IS_NOFORK(a)) {
1867                                 setup_redirects(child, squirrel);
1868                                 save_nofork_data(&nofork_save);
1869                                 debug_printf_exec(": run_nofork_applet '%s' '%s'...\n", argv_expanded[0], argv_expanded[1]);
1870                                 rcode = run_nofork_applet_prime(&nofork_save, a, argv_expanded);
1871                                 free(argv_expanded);
1872                                 restore_redirects(squirrel);
1873                                 debug_printf_exec("run_pipe return %d\n", rcode);
1874                                 IF_HAS_KEYWORDS(if (pi->pi_inverted) rcode = !rcode;)
1875                                 return rcode;
1876                         }
1877                 }
1878 #endif
1879         }
1880
1881         /* NB: argv_expanded may already be created, and that
1882          * might include `cmd` runs! Do not rerun it! We *must*
1883          * use argv_expanded if it's non-NULL */
1884
1885         /* Disable job control signals for shell (parent) and
1886          * for initial child code after fork */
1887         set_jobctrl_sighandler(SIG_IGN);
1888
1889         /* Going to fork a child per each pipe member */
1890         pi->alive_progs = 0;
1891         nextin = 0;
1892
1893         for (i = 0; i < pi->num_progs; i++) {
1894 #if !BB_MMU
1895                 char **ptrs2free = NULL;
1896 #endif
1897                 child = &(pi->progs[i]);
1898                 if (child->argv) {
1899                         debug_printf_exec(": pipe member '%s' '%s'...\n", child->argv[0], child->argv[1]);
1900 #if !BB_MMU
1901                         ptrs2free = alloc_ptrs(child->argv);
1902 #endif
1903                 } else
1904                         debug_printf_exec(": pipe member with no argv\n");
1905
1906                 /* pipes are inserted between pairs of commands */
1907                 pipefds[0] = 0;
1908                 pipefds[1] = 1;
1909                 if ((i + 1) < pi->num_progs)
1910                         xpipe(pipefds);
1911
1912                 child->pid = BB_MMU ? fork() : vfork();
1913                 if (!child->pid) { /* child */
1914                         if (ENABLE_HUSH_JOB)
1915                                 die_sleep = 0; /* let nofork's xfuncs die */
1916 #if ENABLE_HUSH_JOB
1917                         /* Every child adds itself to new process group
1918                          * with pgid == pid_of_first_child_in_pipe */
1919                         if (run_list_level == 1 && interactive_fd) {
1920                                 pid_t pgrp;
1921                                 /* Don't do pgrp restore anymore on fatal signals */
1922                                 set_fatal_sighandler(SIG_DFL);
1923                                 pgrp = pi->pgrp;
1924                                 if (pgrp < 0) /* true for 1st process only */
1925                                         pgrp = getpid();
1926                                 if (setpgid(0, pgrp) == 0 && pi->followup != PIPE_BG) {
1927                                         /* We do it in *every* child, not just first,
1928                                          * to avoid races */
1929                                         tcsetpgrp(interactive_fd, pgrp);
1930                                 }
1931                         }
1932 #endif
1933                         xmove_fd(nextin, 0);
1934                         xmove_fd(pipefds[1], 1); /* write end */
1935                         if (pipefds[0] > 1)
1936                                 close(pipefds[0]); /* read end */
1937                         /* Like bash, explicit redirects override pipes,
1938                          * and the pipe fd is available for dup'ing. */
1939                         setup_redirects(child, NULL);
1940
1941                         /* Restore default handlers just prior to exec */
1942                         set_jobctrl_sighandler(SIG_DFL);
1943                         set_misc_sighandler(SIG_DFL);
1944                         signal(SIGCHLD, SIG_DFL);
1945                         pseudo_exec(ptrs2free, child, argv_expanded); /* does not return */
1946                 }
1947                 free(argv_expanded);
1948                 argv_expanded = NULL;
1949 #if !BB_MMU
1950                 free_strings(ptrs2free);
1951 #endif
1952                 if (child->pid < 0) { /* [v]fork failed */
1953                         /* Clearly indicate, was it fork or vfork */
1954                         bb_perror_msg(BB_MMU ? "fork" : "vfork");
1955                 } else {
1956                         pi->alive_progs++;
1957 #if ENABLE_HUSH_JOB
1958                         /* Second and next children need to know pid of first one */
1959                         if (pi->pgrp < 0)
1960                                 pi->pgrp = child->pid;
1961 #endif
1962                 }
1963
1964                 if (i)
1965                         close(nextin);
1966                 if ((i + 1) < pi->num_progs)
1967                         close(pipefds[1]); /* write end */
1968                 /* Pass read (output) pipe end to next iteration */
1969                 nextin = pipefds[0];
1970         }
1971
1972         if (!pi->alive_progs) {
1973                 debug_printf_exec("run_pipe return 1 (all forks failed, no children)\n");
1974                 return 1;
1975         }
1976
1977         debug_printf_exec("run_pipe return -1 (%u children started)\n", pi->alive_progs);
1978         return -1;
1979 }
1980
1981 #ifndef debug_print_tree
1982 static void debug_print_tree(struct pipe *pi, int lvl)
1983 {
1984         static const char *PIPE[] = {
1985                 [PIPE_SEQ] = "SEQ",
1986                 [PIPE_AND] = "AND",
1987                 [PIPE_OR ] = "OR" ,
1988                 [PIPE_BG ] = "BG" ,
1989         };
1990         static const char *RES[] = {
1991                 [RES_NONE ] = "NONE" ,
1992 #if ENABLE_HUSH_IF
1993                 [RES_IF   ] = "IF"   ,
1994                 [RES_THEN ] = "THEN" ,
1995                 [RES_ELIF ] = "ELIF" ,
1996                 [RES_ELSE ] = "ELSE" ,
1997                 [RES_FI   ] = "FI"   ,
1998 #endif
1999 #if ENABLE_HUSH_LOOPS
2000                 [RES_FOR  ] = "FOR"  ,
2001                 [RES_WHILE] = "WHILE",
2002                 [RES_UNTIL] = "UNTIL",
2003                 [RES_DO   ] = "DO"   ,
2004                 [RES_DONE ] = "DONE" ,
2005 #endif
2006 #if ENABLE_HUSH_LOOPS || ENABLE_HUSH_CASE
2007                 [RES_IN   ] = "IN"   ,
2008 #endif
2009 #if ENABLE_HUSH_CASE
2010                 [RES_CASE ] = "CASE" ,
2011                 [RES_MATCH] = "MATCH",
2012                 [RES_CASEI] = "CASEI",
2013                 [RES_ESAC ] = "ESAC" ,
2014 #endif
2015                 [RES_XXXX ] = "XXXX" ,
2016                 [RES_SNTX ] = "SNTX" ,
2017         };
2018
2019         int pin, prn;
2020
2021         pin = 0;
2022         while (pi) {
2023                 fprintf(stderr, "%*spipe %d res_word=%s followup=%d %s\n", lvl*2, "",
2024                                 pin, RES[pi->res_word], pi->followup, PIPE[pi->followup]);
2025                 prn = 0;
2026                 while (prn < pi->num_progs) {
2027                         struct child_prog *child = &pi->progs[prn];
2028                         char **argv = child->argv;
2029
2030                         fprintf(stderr, "%*s prog %d", lvl*2, "", prn);
2031                         if (child->group) {
2032                                 fprintf(stderr, " group %s: (argv=%p)\n",
2033                                                 (child->subshell ? "()" : "{}"),
2034                                                 argv);
2035                                 debug_print_tree(child->group, lvl+1);
2036                                 prn++;
2037                                 continue;
2038                         }
2039                         if (argv) while (*argv) {
2040                                 fprintf(stderr, " '%s'", *argv);
2041                                 argv++;
2042                         }
2043                         fprintf(stderr, "\n");
2044                         prn++;
2045                 }
2046                 pi = pi->next;
2047                 pin++;
2048         }
2049 }
2050 #endif
2051
2052 /* NB: called by pseudo_exec, and therefore must not modify any
2053  * global data until exec/_exit (we can be a child after vfork!) */
2054 static int run_list(struct pipe *pi)
2055 {
2056 #if ENABLE_HUSH_CASE
2057         char *case_word = NULL;
2058 #endif
2059 #if ENABLE_HUSH_LOOPS
2060         struct pipe *loop_top = NULL;
2061         char *for_varname = NULL;
2062         char **for_lcur = NULL;
2063         char **for_list = NULL;
2064 #endif
2065         smallint flag_skip = 1;
2066         smalluint rcode = 0; /* probably just for compiler */
2067 #if ENABLE_HUSH_IF || ENABLE_HUSH_CASE
2068         smalluint cond_code = 0;
2069 #else
2070         enum { cond_code = 0, };
2071 #endif
2072         /*enum reserved_style*/ smallint rword = RES_NONE;
2073         /*enum reserved_style*/ smallint skip_more_for_this_rword = RES_XXXX;
2074
2075         debug_printf_exec("run_list start lvl %d\n", run_list_level + 1);
2076
2077 #if ENABLE_HUSH_LOOPS
2078         /* Check syntax for "for" */
2079         for (struct pipe *cpipe = pi; cpipe; cpipe = cpipe->next) {
2080                 if (cpipe->res_word != RES_FOR && cpipe->res_word != RES_IN)
2081                         continue;
2082                 /* current word is FOR or IN (BOLD in comments below) */
2083                 if (cpipe->next == NULL) {
2084                         syntax("malformed for");
2085                         debug_printf_exec("run_list lvl %d return 1\n", run_list_level);
2086                         return 1;
2087                 }
2088                 /* "FOR v; do ..." and "for v IN a b; do..." are ok */
2089                 if (cpipe->next->res_word == RES_DO)
2090                         continue;
2091                 /* next word is not "do". It must be "in" then ("FOR v in ...") */
2092                 if (cpipe->res_word == RES_IN /* "for v IN a b; not_do..."? */
2093                  || cpipe->next->res_word != RES_IN /* FOR v not_do_and_not_in..."? */
2094                 ) {
2095                         syntax("malformed for");
2096                         debug_printf_exec("run_list lvl %d return 1\n", run_list_level);
2097                         return 1;
2098                 }
2099         }
2100 #endif
2101
2102         /* Past this point, all code paths should jump to ret: label
2103          * in order to return, no direct "return" statements please.
2104          * This helps to ensure that no memory is leaked. */
2105
2106 #if ENABLE_HUSH_JOB
2107         /* Example of nested list: "while true; do { sleep 1 | exit 2; } done".
2108          * We are saving state before entering outermost list ("while...done")
2109          * so that ctrl-Z will correctly background _entire_ outermost list,
2110          * not just a part of it (like "sleep 1 | exit 2") */
2111         if (++run_list_level == 1 && interactive_fd) {
2112                 if (sigsetjmp(toplevel_jb, 1)) {
2113                         /* ctrl-Z forked and we are parent; or ctrl-C.
2114                          * Sighandler has longjmped us here */
2115                         signal(SIGINT, SIG_IGN);
2116                         signal(SIGTSTP, SIG_IGN);
2117                         /* Restore level (we can be coming from deep inside
2118                          * nested levels) */
2119                         run_list_level = 1;
2120 #if ENABLE_FEATURE_SH_STANDALONE
2121                         if (nofork_save.saved) { /* if save area is valid */
2122                                 debug_printf_jobs("exiting nofork early\n");
2123                                 restore_nofork_data(&nofork_save);
2124                         }
2125 #endif
2126                         if (ctrl_z_flag) {
2127                                 /* ctrl-Z has forked and stored pid of the child in pi->pid.
2128                                  * Remember this child as background job */
2129                                 insert_bg_job(pi);
2130                         } else {
2131                                 /* ctrl-C. We just stop doing whatever we were doing */
2132                                 bb_putchar('\n');
2133                         }
2134                         rcode = 0;
2135                         goto ret;
2136                 }
2137                 /* ctrl-Z handler will store pid etc in pi */
2138                 toplevel_list = pi;
2139                 ctrl_z_flag = 0;
2140 #if ENABLE_FEATURE_SH_STANDALONE
2141                 nofork_save.saved = 0; /* in case we will run a nofork later */
2142 #endif
2143                 signal_SA_RESTART_empty_mask(SIGTSTP, handler_ctrl_z);
2144                 signal(SIGINT, handler_ctrl_c);
2145         }
2146 #endif /* JOB */
2147
2148         /* Go through list of pipes, (maybe) executing them. */
2149         for (; pi; pi = USE_HUSH_LOOPS(rword == RES_DONE ? loop_top : ) pi->next) {
2150                 IF_HAS_KEYWORDS(rword = pi->res_word;)
2151                 IF_HAS_NO_KEYWORDS(rword = RES_NONE;)
2152                 debug_printf_exec(": rword=%d cond_code=%d skip_more=%d\n",
2153                                 rword, cond_code, skip_more_for_this_rword);
2154 #if ENABLE_HUSH_LOOPS
2155                 if (rword == RES_WHILE || rword == RES_UNTIL || rword == RES_FOR) {
2156                         /* start of a loop: remember where loop starts */
2157                         loop_top = pi;
2158                         depth_of_loop++;
2159                 }
2160 #endif
2161                 if (rword == skip_more_for_this_rword && flag_skip) {
2162                         if (pi->followup == PIPE_SEQ)
2163                                 flag_skip = 0;
2164                         /* it is "<false> && CMD" or "<true> || CMD"
2165                          * and we should not execute CMD */
2166                         continue;
2167                 }
2168                 flag_skip = 1;
2169                 skip_more_for_this_rword = RES_XXXX;
2170 #if ENABLE_HUSH_IF
2171                 if (cond_code) {
2172                         if (rword == RES_THEN) {
2173                                 /* "if <false> THEN cmd": skip cmd */
2174                                 continue;
2175                         }
2176                 } else {
2177                         if (rword == RES_ELSE || rword == RES_ELIF) {
2178                                 /* "if <true> then ... ELSE/ELIF cmd":
2179                                  * skip cmd and all following ones */
2180                                 break;
2181                         }
2182                 }
2183 #endif
2184 #if ENABLE_HUSH_LOOPS
2185                 if (rword == RES_FOR) { /* && pi->num_progs - always == 1 */
2186                         if (!for_lcur) {
2187                                 /* first loop through for */
2188
2189                                 static const char encoded_dollar_at[] ALIGN1 = {
2190                                         SPECIAL_VAR_SYMBOL, '@' | 0x80, SPECIAL_VAR_SYMBOL, '\0'
2191                                 }; /* encoded representation of "$@" */
2192                                 static const char *const encoded_dollar_at_argv[] = {
2193                                         encoded_dollar_at, NULL
2194                                 }; /* argv list with one element: "$@" */
2195                                 char **vals;
2196
2197                                 vals = (char**)encoded_dollar_at_argv;
2198                                 if (pi->next->res_word == RES_IN) {
2199                                         /* if no variable values after "in" we skip "for" */
2200                                         if (!pi->next->progs->argv)
2201                                                 break;
2202                                         vals = pi->next->progs->argv;
2203                                 } /* else: "for var; do..." -> assume "$@" list */
2204                                 /* create list of variable values */
2205                                 debug_print_strings("for_list made from", vals);
2206                                 for_list = expand_strvec_to_strvec(vals);
2207                                 for_lcur = for_list;
2208                                 debug_print_strings("for_list", for_list);
2209                                 for_varname = pi->progs->argv[0];
2210                                 pi->progs->argv[0] = NULL;
2211                         }
2212                         free(pi->progs->argv[0]);
2213                         if (!*for_lcur) {
2214                                 /* "for" loop is over, clean up */
2215                                 free(for_list);
2216                                 for_list = NULL;
2217                                 for_lcur = NULL;
2218                                 pi->progs->argv[0] = for_varname;
2219                                 break;
2220                         }
2221                         /* insert next value from for_lcur */
2222 //TODO: does it need escaping?
2223                         pi->progs->argv[0] = xasprintf("%s=%s", for_varname, *for_lcur++);
2224                 }
2225                 if (rword == RES_IN) /* "for v IN list;..." - "in" has no cmds anyway */
2226                         continue;
2227                 if (rword == RES_DONE) {
2228                         continue; /* "done" has no cmds too */
2229                 }
2230 #endif
2231 #if ENABLE_HUSH_CASE
2232                 if (rword == RES_CASE) {
2233                         case_word = expand_strvec_to_string(pi->progs->argv);
2234                         continue;
2235                 }
2236                 if (rword == RES_MATCH) {
2237                         char *pattern;
2238                         if (!case_word) /* "case ... matched_word) ... WORD)": we executed selected branch, stop */
2239                                 break;
2240                         /* all prev words didn't match, does this one match? */
2241                         pattern = expand_strvec_to_string(pi->progs->argv);
2242                         /* TODO: which FNM_xxx flags to use? */
2243                         cond_code = (fnmatch(pattern, case_word, /*flags:*/ 0) != 0);
2244                         free(pattern);
2245                         if (cond_code == 0) { /* match! we will execute this branch */
2246                                 free(case_word); /* make future "word)" stop */
2247                                 case_word = NULL;
2248                         }
2249                         continue;
2250                 }
2251                 if (rword == RES_CASEI) { /* inside of a case branch */
2252                         if (cond_code != 0)
2253                                 continue; /* not matched yet, skip this pipe */
2254                 }
2255 #endif
2256                 if (pi->num_progs == 0)
2257                         continue;
2258
2259                 /* After analyzing all keywords and conditions, we decided
2260                  * to execute this pipe. NB: has to do checkjobs(NULL)
2261                  * after run_pipe() to collect any background children,
2262                  * even if list execution is to be stopped. */
2263                 debug_printf_exec(": run_pipe with %d members\n", pi->num_progs);
2264                 {
2265                         int r;
2266 #if ENABLE_HUSH_LOOPS
2267                         flag_break_continue = 0;
2268 #endif
2269                         rcode = r = run_pipe(pi); /* NB: rcode is a smallint */
2270                         if (r != -1) {
2271                                 /* we only ran a builtin: rcode is already known
2272                                  * and we don't need to wait for anything. */
2273 #if ENABLE_HUSH_LOOPS
2274                                 /* was it "break" or "continue"? */
2275                                 if (flag_break_continue) {
2276                                         smallint fbc = flag_break_continue;
2277                                         /* we might fall into outer *loop*,
2278                                          * don't want to break it too */
2279                                         if (loop_top) {
2280                                                 depth_break_continue--;
2281                                                 if (depth_break_continue == 0)
2282                                                         flag_break_continue = 0;
2283                                                 /* else: e.g. "continue 2" should *break* once, *then* continue */
2284                                         } /* else: "while... do... { we are here (innermost list is not a loop!) };...done" */
2285                                         if (depth_break_continue != 0 || fbc == BC_BREAK)
2286                                                 goto check_jobs_and_break;
2287                                         /* "continue": simulate end of loop */
2288                                         rword = RES_DONE;
2289                                         continue;
2290                                 }
2291 #endif
2292                         } else if (pi->followup == PIPE_BG) {
2293                                 /* what does bash do with attempts to background builtins? */
2294                                 /* even bash 3.2 doesn't do that well with nested bg:
2295                                  * try "{ { sleep 10; echo DEEP; } & echo HERE; } &".
2296                                  * I'm NOT treating inner &'s as jobs */
2297 #if ENABLE_HUSH_JOB
2298                                 if (run_list_level == 1)
2299                                         insert_bg_job(pi);
2300 #endif
2301                                 rcode = 0; /* EXIT_SUCCESS */
2302                         } else {
2303 #if ENABLE_HUSH_JOB
2304                                 if (run_list_level == 1 && interactive_fd) {
2305                                         /* waits for completion, then fg's main shell */
2306                                         rcode = checkjobs_and_fg_shell(pi);
2307                                         debug_printf_exec(": checkjobs_and_fg_shell returned %d\n", rcode);
2308                                 } else
2309 #endif
2310                                 { /* this one just waits for completion */
2311                                         rcode = checkjobs(pi);
2312                                         debug_printf_exec(": checkjobs returned %d\n", rcode);
2313                                 }
2314                         }
2315                 }
2316                 debug_printf_exec(": setting last_return_code=%d\n", rcode);
2317                 last_return_code = rcode;
2318
2319                 /* Analyze how result affects subsequent commands */
2320 #if ENABLE_HUSH_IF
2321                 if (rword == RES_IF || rword == RES_ELIF)
2322                         cond_code = rcode;
2323 #endif
2324 #if ENABLE_HUSH_LOOPS
2325                 if (rword == RES_WHILE) {
2326                         if (rcode) {
2327                                 rcode = 0; /* "while false; do...done" - exitcode 0 */
2328                                 goto check_jobs_and_break;
2329                         }
2330                 }
2331                 if (rword == RES_UNTIL) {
2332                         if (!rcode) {
2333  check_jobs_and_break:
2334                                 checkjobs(NULL);
2335                                 break;
2336                         }
2337                 }
2338 #endif
2339                 if ((rcode == 0 && pi->followup == PIPE_OR)
2340                  || (rcode != 0 && pi->followup == PIPE_AND)
2341                 ) {
2342                         skip_more_for_this_rword = rword;
2343                 }
2344                 checkjobs(NULL);
2345         } /* for (pi) */
2346
2347 #if ENABLE_HUSH_JOB
2348         if (ctrl_z_flag) {
2349                 /* ctrl-Z forked somewhere in the past, we are the child,
2350                  * and now we completed running the list. Exit. */
2351 //TODO: _exit?
2352                 exit(rcode);
2353         }
2354  ret:
2355         if (!--run_list_level && interactive_fd) {
2356                 signal(SIGTSTP, SIG_IGN);
2357                 signal(SIGINT, SIG_IGN);
2358         }
2359 #endif
2360         debug_printf_exec("run_list lvl %d return %d\n", run_list_level + 1, rcode);
2361 #if ENABLE_HUSH_LOOPS
2362         if (loop_top)
2363                 depth_of_loop--;
2364         free(for_list);
2365 #endif
2366 #if ENABLE_HUSH_CASE
2367         free(case_word);
2368 #endif
2369         return rcode;
2370 }
2371
2372 /* return code is the exit status of the pipe */
2373 static int free_pipe(struct pipe *pi, int indent)
2374 {
2375         char **p;
2376         struct child_prog *child;
2377         struct redir_struct *r, *rnext;
2378         int a, i, ret_code = 0;
2379
2380         if (pi->stopped_progs > 0)
2381                 return ret_code;
2382         debug_printf_clean("%s run pipe: (pid %d)\n", indenter(indent), getpid());
2383         for (i = 0; i < pi->num_progs; i++) {
2384                 child = &pi->progs[i];
2385                 debug_printf_clean("%s  command %d:\n", indenter(indent), i);
2386                 if (child->argv) {
2387                         for (a = 0, p = child->argv; *p; a++, p++) {
2388                                 debug_printf_clean("%s   argv[%d] = %s\n", indenter(indent), a, *p);
2389                         }
2390                         free_strings(child->argv);
2391                         child->argv = NULL;
2392                 } else if (child->group) {
2393                         debug_printf_clean("%s   begin group (subshell:%d)\n", indenter(indent), child->subshell);
2394                         ret_code = free_pipe_list(child->group, indent+3);
2395                         debug_printf_clean("%s   end group\n", indenter(indent));
2396                 } else {
2397                         debug_printf_clean("%s   (nil)\n", indenter(indent));
2398                 }
2399                 for (r = child->redirects; r; r = rnext) {
2400                         debug_printf_clean("%s   redirect %d%s", indenter(indent), r->fd, redir_table[r->rd_type].descrip);
2401                         if (r->dup == -1) {
2402                                 /* guard against the case >$FOO, where foo is unset or blank */
2403                                 if (r->rd_filename) {
2404                                         debug_printf_clean(" %s\n", r->rd_filename);
2405                                         free(r->rd_filename);
2406                                         r->rd_filename = NULL;
2407                                 }
2408                         } else {
2409                                 debug_printf_clean("&%d\n", r->dup);
2410                         }
2411                         rnext = r->next;
2412                         free(r);
2413                 }
2414                 child->redirects = NULL;
2415         }
2416         free(pi->progs);   /* children are an array, they get freed all at once */
2417         pi->progs = NULL;
2418 #if ENABLE_HUSH_JOB
2419         free(pi->cmdtext);
2420         pi->cmdtext = NULL;
2421 #endif
2422         return ret_code;
2423 }
2424
2425 static int free_pipe_list(struct pipe *head, int indent)
2426 {
2427         int rcode = 0;   /* if list has no members */
2428         struct pipe *pi, *next;
2429
2430         for (pi = head; pi; pi = next) {
2431 #if HAS_KEYWORDS
2432                 debug_printf_clean("%s pipe reserved mode %d\n", indenter(indent), pi->res_word);
2433 #endif
2434                 rcode = free_pipe(pi, indent);
2435                 debug_printf_clean("%s pipe followup code %d\n", indenter(indent), pi->followup);
2436                 next = pi->next;
2437                 /*pi->next = NULL;*/
2438                 free(pi);
2439         }
2440         return rcode;
2441 }
2442
2443 /* Select which version we will use */
2444 static int run_and_free_list(struct pipe *pi)
2445 {
2446         int rcode = 0;
2447         debug_printf_exec("run_and_free_list entered\n");
2448         if (!fake_mode) {
2449                 debug_printf_exec(": run_list with %d members\n", pi->num_progs);
2450                 rcode = run_list(pi);
2451         }
2452         /* free_pipe_list has the side effect of clearing memory.
2453          * In the long run that function can be merged with run_list,
2454          * but doing that now would hobble the debugging effort. */
2455         free_pipe_list(pi, /* indent: */ 0);
2456         debug_printf_exec("run_and_free_list return %d\n", rcode);
2457         return rcode;
2458 }
2459
2460
2461 /* expand_strvec_to_strvec() takes a list of strings, expands
2462  * all variable references within and returns a pointer to
2463  * a list of expanded strings, possibly with larger number
2464  * of strings. (Think VAR="a b"; echo $VAR).
2465  * This new list is allocated as a single malloc block.
2466  * NULL-terminated list of char* pointers is at the beginning of it,
2467  * followed by strings themself.
2468  * Caller can deallocate entire list by single free(list). */
2469
2470 /* Store given string, finalizing the word and starting new one whenever
2471  * we encounter ifs char(s). This is used for expanding variable values.
2472  * End-of-string does NOT finalize word: think about 'echo -$VAR-' */
2473 static int expand_on_ifs(o_string *output, int n, const char *str)
2474 {
2475         while (1) {
2476                 int word_len = strcspn(str, ifs);
2477                 if (word_len) {
2478                         if (output->o_quote || !output->o_glob)
2479                                 o_addQstr(output, str, word_len);
2480                         else /* protect backslashes against globbing up :) */
2481                                 o_addstr_duplicate_backslash(output, str, word_len);
2482                         str += word_len;
2483                 }
2484                 if (!*str)  /* EOL - do not finalize word */
2485                         break;
2486                 o_addchr(output, '\0');
2487                 debug_print_list("expand_on_ifs", output, n);
2488                 n = o_save_ptr(output, n);
2489                 str += strspn(str, ifs); /* skip ifs chars */
2490         }
2491         debug_print_list("expand_on_ifs[1]", output, n);
2492         return n;
2493 }
2494
2495 /* Expand all variable references in given string, adding words to list[]
2496  * at n, n+1,... positions. Return updated n (so that list[n] is next one
2497  * to be filled). This routine is extremely tricky: has to deal with
2498  * variables/parameters with whitespace, $* and $@, and constructs like
2499  * 'echo -$*-'. If you play here, you must run testsuite afterwards! */
2500 /* NB: another bug is that we cannot detect empty strings yet:
2501  * "" or $empty"" expands to zero words, has to expand to empty word */
2502 static int expand_vars_to_list(o_string *output, int n, char *arg, char or_mask)
2503 {
2504         /* or_mask is either 0 (normal case) or 0x80
2505          * (expansion of right-hand side of assignment == 1-element expand.
2506          * It will also do no globbing, and thus we must not backslash-quote!) */
2507
2508         char first_ch, ored_ch;
2509         int i;
2510         const char *val;
2511         char *p;
2512
2513         ored_ch = 0;
2514
2515         debug_printf_expand("expand_vars_to_list: arg '%s'\n", arg);
2516         debug_print_list("expand_vars_to_list", output, n);
2517         n = o_save_ptr(output, n);
2518         debug_print_list("expand_vars_to_list[0]", output, n);
2519
2520         while ((p = strchr(arg, SPECIAL_VAR_SYMBOL)) != NULL) {
2521 #if ENABLE_HUSH_TICK
2522                 o_string subst_result = NULL_O_STRING;
2523 #endif
2524
2525                 o_addstr(output, arg, p - arg);
2526                 debug_print_list("expand_vars_to_list[1]", output, n);
2527                 arg = ++p;
2528                 p = strchr(p, SPECIAL_VAR_SYMBOL);
2529
2530                 first_ch = arg[0] | or_mask; /* forced to "quoted" if or_mask = 0x80 */
2531                 /* "$@" is special. Even if quoted, it can still
2532                  * expand to nothing (not even an empty string) */
2533                 if ((first_ch & 0x7f) != '@')
2534                         ored_ch |= first_ch;
2535                 val = NULL;
2536                 switch (first_ch & 0x7f) {
2537                 /* Highest bit in first_ch indicates that var is double-quoted */
2538                 case '$': /* pid */
2539                         val = utoa(root_pid);
2540                         break;
2541                 case '!': /* bg pid */
2542                         val = last_bg_pid ? utoa(last_bg_pid) : (char*)"";
2543                         break;
2544                 case '?': /* exitcode */
2545                         val = utoa(last_return_code);
2546                         break;
2547                 case '#': /* argc */
2548                         val = utoa(global_argc ? global_argc-1 : 0);
2549                         break;
2550                 case '*':
2551                 case '@':
2552                         i = 1;
2553                         if (!global_argv[i])
2554                                 break;
2555                         ored_ch |= first_ch; /* do it for "$@" _now_, when we know it's not empty */
2556                         if (!(first_ch & 0x80)) { /* unquoted $* or $@ */
2557                                 smallint sv = output->o_quote;
2558                                 /* unquoted var's contents should be globbed, so don't quote */
2559                                 output->o_quote = 0;
2560                                 while (global_argv[i]) {
2561                                         n = expand_on_ifs(output, n, global_argv[i]);
2562                                         debug_printf_expand("expand_vars_to_list: argv %d (last %d)\n", i, global_argc-1);
2563                                         if (global_argv[i++][0] && global_argv[i]) {
2564                                                 /* this argv[] is not empty and not last:
2565                                                  * put terminating NUL, start new word */
2566                                                 o_addchr(output, '\0');
2567                                                 debug_print_list("expand_vars_to_list[2]", output, n);
2568                                                 n = o_save_ptr(output, n);
2569                                                 debug_print_list("expand_vars_to_list[3]", output, n);
2570                                         }
2571                                 }
2572                                 output->o_quote = sv;
2573                         } else
2574                         /* If or_mask is nonzero, we handle assignment 'a=....$@.....'
2575                          * and in this case should treat it like '$*' - see 'else...' below */
2576                         if (first_ch == ('@'|0x80) && !or_mask) { /* quoted $@ */
2577                                 while (1) {
2578                                         o_addQstr(output, global_argv[i], strlen(global_argv[i]));
2579                                         if (++i >= global_argc)
2580                                                 break;
2581                                         o_addchr(output, '\0');
2582                                         debug_print_list("expand_vars_to_list[4]", output, n);
2583                                         n = o_save_ptr(output, n);
2584                                 }
2585                         } else { /* quoted $*: add as one word */
2586                                 while (1) {
2587                                         o_addQstr(output, global_argv[i], strlen(global_argv[i]));
2588                                         if (!global_argv[++i])
2589                                                 break;
2590                                         if (ifs[0])
2591                                                 o_addchr(output, ifs[0]);
2592                                 }
2593                         }
2594                         break;
2595                 case SPECIAL_VAR_SYMBOL: /* <SPECIAL_VAR_SYMBOL><SPECIAL_VAR_SYMBOL> */
2596                         /* "Empty variable", used to make "" etc to not disappear */
2597                         arg++;
2598                         ored_ch = 0x80;
2599                         break;
2600 #if ENABLE_HUSH_TICK
2601                 case '`': { /* <SPECIAL_VAR_SYMBOL>`cmd<SPECIAL_VAR_SYMBOL> */
2602                         struct in_str input;
2603                         *p = '\0';
2604                         arg++;
2605 //TODO: can we just stuff it into "output" directly?
2606                         debug_printf_subst("SUBST '%s' first_ch %x\n", arg, first_ch);
2607                         setup_string_in_str(&input, arg);
2608                         process_command_subs(&subst_result, &input, NULL);
2609                         debug_printf_subst("SUBST RES '%s'\n", subst_result.data);
2610                         val = subst_result.data;
2611                         goto store_val;
2612                 }
2613 #endif
2614                 default: /* <SPECIAL_VAR_SYMBOL>varname<SPECIAL_VAR_SYMBOL> */
2615                         *p = '\0';
2616                         arg[0] = first_ch & 0x7f;
2617                         if (isdigit(arg[0])) {
2618                                 i = xatoi_u(arg);
2619                                 if (i < global_argc)
2620                                         val = global_argv[i];
2621                                 /* else val remains NULL: $N with too big N */
2622                         } else
2623                                 val = lookup_param(arg);
2624                         arg[0] = first_ch;
2625 #if ENABLE_HUSH_TICK
2626  store_val:
2627 #endif
2628                         *p = SPECIAL_VAR_SYMBOL;
2629                         if (!(first_ch & 0x80)) { /* unquoted $VAR */
2630                                 debug_printf_expand("unquoted '%s', output->o_quote:%d\n", val, output->o_quote);
2631                                 if (val) {
2632                                         /* unquoted var's contents should be globbed, so don't quote */
2633                                         smallint sv = output->o_quote;
2634                                         output->o_quote = 0;
2635                                         n = expand_on_ifs(output, n, val);
2636                                         val = NULL;
2637                                         output->o_quote = sv;
2638                                 }
2639                         } else { /* quoted $VAR, val will be appended below */
2640                                 debug_printf_expand("quoted '%s', output->o_quote:%d\n", val, output->o_quote);
2641                         }
2642                 }
2643                 if (val) {
2644                         o_addQstr(output, val, strlen(val));
2645                 }
2646
2647 #if ENABLE_HUSH_TICK
2648                 o_free(&subst_result);
2649 #endif
2650                 arg = ++p;
2651         } /* end of "while (SPECIAL_VAR_SYMBOL is found) ..." */
2652
2653         if (arg[0]) {
2654                 debug_print_list("expand_vars_to_list[a]", output, n);
2655                 /* this part is literal, and it was already pre-quoted
2656                  * if needed (much earlier), do not use o_addQstr here! */
2657                 o_addstr(output, arg, strlen(arg) + 1);
2658                 debug_print_list("expand_vars_to_list[b]", output, n);
2659         } else if (output->length == o_get_last_ptr(output, n) /* expansion is empty */
2660          && !(ored_ch & 0x80) /* and all vars were not quoted. */
2661         ) {
2662                 n--;
2663                 /* allow to reuse list[n] later without re-growth */
2664                 output->has_empty_slot = 1;
2665         } else {
2666                 o_addchr(output, '\0');
2667         }
2668         return n;
2669 }
2670
2671 static char **expand_variables(char **argv, int or_mask)
2672 {
2673         int n;
2674         char **list;
2675         char **v;
2676         o_string output = NULL_O_STRING;
2677
2678         if (or_mask & 0x100) {
2679                 output.o_quote = 1; /* protect against globbing for "$var" */
2680                 /* (unquoted $var will temporarily switch it off) */
2681                 output.o_glob = 1;
2682         }
2683
2684         n = 0;
2685         v = argv;
2686         while (*v) {
2687                 n = expand_vars_to_list(&output, n, *v, (char)or_mask);
2688                 v++;
2689         }
2690         debug_print_list("expand_variables", &output, n);
2691
2692         /* output.data (malloced in one block) gets returned in "list" */
2693         list = o_finalize_list(&output, n);
2694         debug_print_strings("expand_variables[1]", list);
2695         return list;
2696 }
2697
2698 static char **expand_strvec_to_strvec(char **argv)
2699 {
2700         return expand_variables(argv, 0x100);
2701 }
2702
2703 /* Used for expansion of right hand of assignments */
2704 /* NB: should NOT do globbing! "export v=/bin/c*; env | grep ^v=" outputs
2705  * "v=/bin/c*" */
2706 static char *expand_string_to_string(const char *str)
2707 {
2708         char *argv[2], **list;
2709
2710         argv[0] = (char*)str;
2711         argv[1] = NULL;
2712         list = expand_variables(argv, 0x80); /* 0x80: make one-element expansion */
2713         if (HUSH_DEBUG)
2714                 if (!list[0] || list[1])
2715                         bb_error_msg_and_die("BUG in varexp2");
2716         /* actually, just move string 2*sizeof(char*) bytes back */
2717         strcpy((char*)list, list[0]);
2718         debug_printf_expand("string_to_string='%s'\n", (char*)list);
2719         return (char*)list;
2720 }
2721
2722 /* Used for "eval" builtin */
2723 static char* expand_strvec_to_string(char **argv)
2724 {
2725         char **list;
2726
2727         list = expand_variables(argv, 0x80);
2728         /* Convert all NULs to spaces */
2729         if (list[0]) {
2730                 int n = 1;
2731                 while (list[n]) {
2732                         if (HUSH_DEBUG)
2733                                 if (list[n-1] + strlen(list[n-1]) + 1 != list[n])
2734                                         bb_error_msg_and_die("BUG in varexp3");
2735                         list[n][-1] = ' '; /* TODO: or to ifs[0]? */
2736                         n++;
2737                 }
2738         }
2739         strcpy((char*)list, list[0]);
2740         debug_printf_expand("strvec_to_string='%s'\n", (char*)list);
2741         return (char*)list;
2742 }
2743
2744
2745 /* Used to get/check local shell variables */
2746 static struct variable *get_local_var(const char *name)
2747 {
2748         struct variable *cur;
2749         int len;
2750
2751         if (!name)
2752                 return NULL;
2753         len = strlen(name);
2754         for (cur = top_var; cur; cur = cur->next) {
2755                 if (strncmp(cur->varstr, name, len) == 0 && cur->varstr[len] == '=')
2756                         return cur;
2757         }
2758         return NULL;
2759 }
2760
2761 /* str holds "NAME=VAL" and is expected to be malloced.
2762  * We take ownership of it. */
2763 static int set_local_var(char *str, int flg_export)
2764 {
2765         struct variable *cur;
2766         char *value;
2767         int name_len;
2768
2769         value = strchr(str, '=');
2770         if (!value) { /* not expected to ever happen? */
2771                 free(str);
2772                 return -1;
2773         }
2774
2775         name_len = value - str + 1; /* including '=' */
2776         cur = top_var; /* cannot be NULL (we have HUSH_VERSION and it's RO) */
2777         while (1) {
2778                 if (strncmp(cur->varstr, str, name_len) != 0) {
2779                         if (!cur->next) {
2780                                 /* Bail out. Note that now cur points
2781                                  * to last var in linked list */
2782                                 break;
2783                         }
2784                         cur = cur->next;
2785                         continue;
2786                 }
2787                 /* We found an existing var with this name */
2788                 *value = '\0';
2789                 if (cur->flg_read_only) {
2790                         bb_error_msg("%s: readonly variable", str);
2791                         free(str);
2792                         return -1;
2793                 }
2794                 unsetenv(str); /* just in case */
2795                 *value = '=';
2796                 if (strcmp(cur->varstr, str) == 0) {
2797  free_and_exp:
2798                         free(str);
2799                         goto exp;
2800                 }
2801                 if (cur->max_len >= strlen(str)) {
2802                         /* This one is from startup env, reuse space */
2803                         strcpy(cur->varstr, str);
2804                         goto free_and_exp;
2805                 }
2806                 /* max_len == 0 signifies "malloced" var, which we can
2807                  * (and has to) free */
2808                 if (!cur->max_len)
2809                         free(cur->varstr);
2810                 cur->max_len = 0;
2811                 goto set_str_and_exp;
2812         }
2813
2814         /* Not found - create next variable struct */
2815         cur->next = xzalloc(sizeof(*cur));
2816         cur = cur->next;
2817
2818  set_str_and_exp:
2819         cur->varstr = str;
2820  exp:
2821         if (flg_export)
2822                 cur->flg_export = 1;
2823         if (cur->flg_export)
2824                 return putenv(cur->varstr);
2825         return 0;
2826 }
2827
2828 static void unset_local_var(const char *name)
2829 {
2830         struct variable *cur;
2831         struct variable *prev = prev; /* for gcc */
2832         int name_len;
2833
2834         if (!name)
2835                 return;
2836         name_len = strlen(name);
2837         cur = top_var;
2838         while (cur) {
2839                 if (strncmp(cur->varstr, name, name_len) == 0 && cur->varstr[name_len] == '=') {
2840                         if (cur->flg_read_only) {
2841                                 bb_error_msg("%s: readonly variable", name);
2842                                 return;
2843                         }
2844                 /* prev is ok to use here because 1st variable, HUSH_VERSION,
2845                  * is ro, and we cannot reach this code on the 1st pass */
2846                         prev->next = cur->next;
2847                         unsetenv(cur->varstr);
2848                         if (!cur->max_len)
2849                                 free(cur->varstr);
2850                         free(cur);
2851                         return;
2852                 }
2853                 prev = cur;
2854                 cur = cur->next;
2855         }
2856 }
2857
2858 /* The src parameter allows us to peek forward to a possible &n syntax
2859  * for file descriptor duplication, e.g., "2>&1".
2860  * Return code is 0 normally, 1 if a syntax error is detected in src.
2861  * Resource errors (in xmalloc) cause the process to exit */
2862 static int setup_redirect(struct p_context *ctx, int fd, redir_type style,
2863         struct in_str *input)
2864 {
2865         struct child_prog *child = ctx->child;
2866         struct redir_struct *redir = child->redirects;
2867         struct redir_struct *last_redir = NULL;
2868
2869         /* Create a new redir_struct and drop it onto the end of the linked list */
2870         while (redir) {
2871                 last_redir = redir;
2872                 redir = redir->next;
2873         }
2874         redir = xzalloc(sizeof(struct redir_struct));
2875         /* redir->next = NULL; */
2876         /* redir->rd_filename = NULL; */
2877         if (last_redir) {
2878                 last_redir->next = redir;
2879         } else {
2880                 child->redirects = redir;
2881         }
2882
2883         redir->rd_type = style;
2884         redir->fd = (fd == -1) ? redir_table[style].default_fd : fd;
2885
2886         debug_printf("Redirect type %d%s\n", redir->fd, redir_table[style].descrip);
2887
2888         /* Check for a '2>&1' type redirect */
2889         redir->dup = redirect_dup_num(input);
2890         if (redir->dup == -2)
2891                 return 1;  /* syntax error */
2892         if (redir->dup != -1) {
2893                 /* Erik had a check here that the file descriptor in question
2894                  * is legit; I postpone that to "run time"
2895                  * A "-" representation of "close me" shows up as a -3 here */
2896                 debug_printf("Duplicating redirect '%d>&%d'\n", redir->fd, redir->dup);
2897         } else {
2898                 /* We do _not_ try to open the file that src points to,
2899                  * since we need to return and let src be expanded first.
2900                  * Set ctx->pending_redirect, so we know what to do at the
2901                  * end of the next parsed word. */
2902                 ctx->pending_redirect = redir;
2903         }
2904         return 0;
2905 }
2906
2907 static struct pipe *new_pipe(void)
2908 {
2909         struct pipe *pi;
2910         pi = xzalloc(sizeof(struct pipe));
2911         /*pi->followup = 0; - deliberately invalid value */
2912         /*pi->res_word = RES_NONE; - RES_NONE is 0 anyway */
2913         return pi;
2914 }
2915
2916 static void initialize_context(struct p_context *ctx)
2917 {
2918         memset(ctx, 0, sizeof(*ctx));
2919         ctx->pipe = ctx->list_head = new_pipe();
2920         /* Create the memory for child, roughly:
2921          * ctx->pipe->progs = new struct child_prog;
2922          * ctx->child = &ctx->pipe->progs[0];
2923          */
2924         done_command(ctx);
2925 }
2926
2927 /* If a reserved word is found and processed, parse context is modified
2928  * and 1 is returned.
2929  * Handles if, then, elif, else, fi, for, while, until, do, done.
2930  * case, function, and select are obnoxious, save those for later.
2931  */
2932 #if HAS_KEYWORDS
2933 static int reserved_word(const o_string *word, struct p_context *ctx)
2934 {
2935         struct reserved_combo {
2936                 char literal[7];
2937                 unsigned char res;
2938                 int flag;
2939         };
2940         enum {
2941                 FLAG_END   = (1 << RES_NONE ),
2942 #if ENABLE_HUSH_IF
2943                 FLAG_IF    = (1 << RES_IF   ),
2944                 FLAG_THEN  = (1 << RES_THEN ),
2945                 FLAG_ELIF  = (1 << RES_ELIF ),
2946                 FLAG_ELSE  = (1 << RES_ELSE ),
2947                 FLAG_FI    = (1 << RES_FI   ),
2948 #endif
2949 #if ENABLE_HUSH_LOOPS
2950                 FLAG_FOR   = (1 << RES_FOR  ),
2951                 FLAG_WHILE = (1 << RES_WHILE),
2952                 FLAG_UNTIL = (1 << RES_UNTIL),
2953                 FLAG_DO    = (1 << RES_DO   ),
2954                 FLAG_DONE  = (1 << RES_DONE ),
2955                 FLAG_IN    = (1 << RES_IN   ),
2956 #endif
2957 #if ENABLE_HUSH_CASE
2958                 FLAG_MATCH = (1 << RES_MATCH),
2959                 FLAG_ESAC  = (1 << RES_ESAC ),
2960 #endif
2961                 FLAG_START = (1 << RES_XXXX ),
2962         };
2963         /* Mostly a list of accepted follow-up reserved words.
2964          * FLAG_END means we are done with the sequence, and are ready
2965          * to turn the compound list into a command.
2966          * FLAG_START means the word must start a new compound list.
2967          */
2968         static const struct reserved_combo reserved_list[] = {
2969 #if ENABLE_HUSH_IF
2970                 { "!",     RES_NONE,  0 },
2971                 { "if",    RES_IF,    FLAG_THEN | FLAG_START },
2972                 { "then",  RES_THEN,  FLAG_ELIF | FLAG_ELSE | FLAG_FI },
2973                 { "elif",  RES_ELIF,  FLAG_THEN },
2974                 { "else",  RES_ELSE,  FLAG_FI   },
2975                 { "fi",    RES_FI,    FLAG_END  },
2976 #endif
2977 #if ENABLE_HUSH_LOOPS
2978                 { "for",   RES_FOR,   FLAG_IN | FLAG_DO | FLAG_START },
2979                 { "while", RES_WHILE, FLAG_DO | FLAG_START },
2980                 { "until", RES_UNTIL, FLAG_DO | FLAG_START },
2981                 { "in",    RES_IN,    FLAG_DO   },
2982                 { "do",    RES_DO,    FLAG_DONE },
2983                 { "done",  RES_DONE,  FLAG_END  },
2984 #endif
2985 #if ENABLE_HUSH_CASE
2986                 { "case",  RES_CASE,  FLAG_MATCH | FLAG_START },
2987                 { "esac",  RES_ESAC,  FLAG_END  },
2988 #endif
2989         };
2990 #if ENABLE_HUSH_CASE
2991         static const struct reserved_combo reserved_match = {
2992                 "" /* "match" */, RES_MATCH, FLAG_MATCH | FLAG_ESAC
2993         };
2994 #endif
2995         const struct reserved_combo *r;
2996
2997         for (r = reserved_list; r < reserved_list + ARRAY_SIZE(reserved_list); r++) {
2998                 if (strcmp(word->data, r->literal) != 0)
2999                         continue;
3000                 debug_printf("found reserved word %s, res %d\n", r->literal, r->res);
3001 #if ENABLE_HUSH_CASE
3002                 if (r->res == RES_IN && ctx->ctx_res_w == RES_CASE)
3003                         /* "case word IN ..." - IN part starts first match part */
3004                         r = &reserved_match;
3005                 else
3006 #endif
3007                 if (r->flag == 0) { /* '!' */
3008                         if (ctx->ctx_inverted) { /* bash doesn't accept '! ! true' */
3009                                 syntax(NULL);
3010                                 IF_HAS_KEYWORDS(ctx->ctx_res_w = RES_SNTX;)
3011                         }
3012                         ctx->ctx_inverted = 1;
3013                         return 1;
3014                 }
3015                 if (r->flag & FLAG_START) {
3016                         struct p_context *new;
3017                         debug_printf("push stack\n");
3018                         new = xmalloc(sizeof(*new));
3019                         *new = *ctx;   /* physical copy */
3020                         initialize_context(ctx);
3021                         ctx->stack = new;
3022                 } else if (/*ctx->ctx_res_w == RES_NONE ||*/ !(ctx->old_flag & (1 << r->res))) {
3023                         syntax(NULL);
3024                         ctx->ctx_res_w = RES_SNTX;
3025                         return 1;
3026                 }
3027                 ctx->ctx_res_w = r->res;
3028                 ctx->old_flag = r->flag;
3029                 if (ctx->old_flag & FLAG_END) {
3030                         struct p_context *old;
3031                         debug_printf("pop stack\n");
3032                         done_pipe(ctx, PIPE_SEQ);
3033                         old = ctx->stack;
3034                         old->child->group = ctx->list_head;
3035                         old->child->subshell = 0;
3036                         *ctx = *old;   /* physical copy */
3037                         free(old);
3038                 }
3039                 return 1;
3040         }
3041         return 0;
3042 }
3043 #endif
3044
3045 /* Word is complete, look at it and update parsing context.
3046  * Normal return is 0. Syntax errors return 1. */
3047 static int done_word(o_string *word, struct p_context *ctx)
3048 {
3049         struct child_prog *child = ctx->child;
3050
3051         debug_printf_parse("done_word entered: '%s' %p\n", word->data, child);
3052         /* If this word wasn't an assignment, next ones definitely
3053          * can't be assignments. Even if they look like ones. */
3054         if (word->o_assignment != DEFINITELY_ASSIGNMENT) {
3055                 word->o_assignment = NOT_ASSIGNMENT;
3056         } else {
3057                 word->o_assignment = MAYBE_ASSIGNMENT;
3058         }
3059         if (word->length == 0 && word->nonnull == 0) {
3060                 debug_printf_parse("done_word return 0: true null, ignored\n");
3061                 return 0;
3062         }
3063         if (ctx->pending_redirect) {
3064                 /* We do not glob in e.g. >*.tmp case. bash seems to glob here
3065                  * only if run as "bash", not "sh" */
3066                 ctx->pending_redirect->rd_filename = xstrdup(word->data);
3067                 word->o_assignment = NOT_ASSIGNMENT;
3068                 debug_printf("word stored in rd_filename: '%s'\n", word->data);
3069         } else {
3070                 /* "{ echo foo; } echo bar" - bad */
3071                 /* NB: bash allows e.g. "if true; then { echo foo; } fi". TODO? */
3072                 if (child->group) {
3073                         syntax(NULL);
3074                         debug_printf_parse("done_word return 1: syntax error, groups and arglists don't mix\n");
3075                         return 1;
3076                 }
3077 #if HAS_KEYWORDS
3078 #if ENABLE_HUSH_CASE
3079                 if (ctx->ctx_dsemicolon
3080                  && strcmp(word->data, "esac") != 0 /* not "... pattern) cmd;; esac" */
3081                 ) {
3082                         /* already done when ctx_dsemicolon was set to 1: */
3083                         /* ctx->ctx_res_w = RES_MATCH; */
3084                         ctx->ctx_dsemicolon = 0;
3085                 } else
3086 #endif
3087
3088                 if (!child->argv /* if it's the first word... */
3089 #if ENABLE_HUSH_LOOPS
3090                  && ctx->ctx_res_w != RES_FOR /* ...not after FOR or IN */
3091                  && ctx->ctx_res_w != RES_IN
3092 #endif
3093                 ) {
3094                         debug_printf_parse(": checking '%s' for reserved-ness\n", word->data);
3095                         if (reserved_word(word, ctx)) {
3096                                 o_reset(word);
3097                                 word->o_assignment = NOT_ASSIGNMENT;
3098                                 debug_printf_parse("done_word return %d\n", (ctx->ctx_res_w == RES_SNTX));
3099                                 return (ctx->ctx_res_w == RES_SNTX);
3100                         }
3101                 }
3102 #endif
3103                 if (word->nonnull /* word had "xx" or 'xx' at least as part of it. */
3104                  /* optimization: and if it's ("" or '') or ($v... or `cmd`...): */
3105                  && (word->data[0] == '\0' || word->data[0] == SPECIAL_VAR_SYMBOL)
3106                  /* (otherwise it's known to be not empty and is already safe) */
3107                 ) {
3108                         /* exclude "$@" - it can expand to no word despite "" */
3109                         char *p = word->data;
3110                         while (p[0] == SPECIAL_VAR_SYMBOL
3111                             && (p[1] & 0x7f) == '@'
3112                             && p[2] == SPECIAL_VAR_SYMBOL
3113                         ) {
3114                                 p += 3;
3115                         }
3116                         if (p == word->data || p[0] != '\0') {
3117                                 /* saw no "$@", or not only "$@" but some
3118                                  * real text is there too */
3119                                 /* insert "empty variable" reference, this makes
3120                                  * e.g. "", $empty"" etc to not disappear */
3121                                 o_addchr(word, SPECIAL_VAR_SYMBOL);
3122                                 o_addchr(word, SPECIAL_VAR_SYMBOL);
3123                         }
3124                 }
3125                 child->argv = add_malloced_string_to_strings(child->argv, xstrdup(word->data));
3126                 debug_print_strings("word appended to argv", child->argv);
3127         }
3128
3129         o_reset(word);
3130         ctx->pending_redirect = NULL;
3131
3132 #if ENABLE_HUSH_LOOPS
3133         /* Force FOR to have just one word (variable name) */
3134         /* NB: basically, this makes hush see "for v in ..." syntax as if
3135          * as it is "for v; in ...". FOR and IN become two pipe structs
3136          * in parse tree. */
3137         if (ctx->ctx_res_w == RES_FOR) {
3138 //TODO: check that child->argv[0] is a valid variable name!
3139                 done_pipe(ctx, PIPE_SEQ);
3140         }
3141 #endif
3142 #if ENABLE_HUSH_CASE
3143         /* Force CASE to have just one word */
3144         if (ctx->ctx_res_w == RES_CASE) {
3145                 done_pipe(ctx, PIPE_SEQ);
3146         }
3147 #endif
3148         debug_printf_parse("done_word return 0\n");
3149         return 0;
3150 }
3151
3152 /* Command (member of a pipe) is complete. The only possible error here
3153  * is out of memory, in which case xmalloc exits. */
3154 static int done_command(struct p_context *ctx)
3155 {
3156         /* The child is really already in the pipe structure, so
3157          * advance the pipe counter and make a new, null child. */
3158         struct pipe *pi = ctx->pipe;
3159         struct child_prog *child = ctx->child;
3160
3161         if (child) {
3162                 if (child->group == NULL
3163                  && child->argv == NULL
3164                  && child->redirects == NULL
3165                 ) {
3166                         debug_printf_parse("done_command: skipping null cmd, num_progs=%d\n", pi->num_progs);
3167                         return pi->num_progs;
3168                 }
3169                 pi->num_progs++;
3170                 debug_printf_parse("done_command: ++num_progs=%d\n", pi->num_progs);
3171         } else {
3172                 debug_printf_parse("done_command: initializing, num_progs=%d\n", pi->num_progs);
3173         }
3174
3175         /* Only real trickiness here is that the uncommitted
3176          * child structure is not counted in pi->num_progs. */
3177         pi->progs = xrealloc(pi->progs, sizeof(*pi->progs) * (pi->num_progs+1));
3178         child = &pi->progs[pi->num_progs];
3179         memset(child, 0, sizeof(*child));
3180
3181         ctx->child = child;
3182         /* but ctx->pipe and ctx->list_head remain unchanged */
3183
3184         return pi->num_progs; /* used only for 0/nonzero check */
3185 }
3186
3187 static void done_pipe(struct p_context *ctx, pipe_style type)
3188 {
3189         int not_null;
3190
3191         debug_printf_parse("done_pipe entered, followup %d\n", type);
3192         /* Close previous command */
3193         not_null = done_command(ctx);
3194         ctx->pipe->followup = type;
3195         IF_HAS_KEYWORDS(ctx->pipe->pi_inverted = ctx->ctx_inverted;)
3196         IF_HAS_KEYWORDS(ctx->ctx_inverted = 0;)
3197         IF_HAS_KEYWORDS(ctx->pipe->res_word = ctx->ctx_res_w;)
3198
3199         /* Without this check, even just <enter> on command line generates
3200          * tree of three NOPs (!). Which is harmless but annoying.
3201          * IOW: it is safe to do it unconditionally.
3202          * RES_NONE case is for "for a in; do ..." (empty IN set)
3203          * to work, possibly other cases too. */
3204         if (not_null IF_HAS_KEYWORDS(|| ctx->ctx_res_w != RES_NONE)) {
3205                 struct pipe *new_p;
3206                 debug_printf_parse("done_pipe: adding new pipe: "
3207                                 "not_null:%d ctx->ctx_res_w:%d\n",
3208                                 not_null, ctx->ctx_res_w);
3209                 new_p = new_pipe();
3210                 ctx->pipe->next = new_p;
3211                 ctx->pipe = new_p;
3212                 ctx->child = NULL; /* needed! */
3213                 /* RES_THEN, RES_DO etc are "sticky" -
3214                  * they remain set for commands inside if/while.
3215                  * This is used to control execution.
3216                  * RES_FOR and RES_IN are NOT sticky (needed to support
3217                  * cases where variable or value happens to match a keyword):
3218                  */
3219 #if ENABLE_HUSH_LOOPS
3220                 if (ctx->ctx_res_w == RES_FOR
3221                  || ctx->ctx_res_w == RES_IN)
3222                         ctx->ctx_res_w = RES_NONE;
3223 #endif
3224 #if ENABLE_HUSH_CASE
3225                 if (ctx->ctx_res_w == RES_MATCH)
3226                         ctx->ctx_res_w = RES_CASEI;
3227 #endif
3228                 /* Create the memory for child, roughly:
3229                  * ctx->pipe->progs = new struct child_prog;
3230                  * ctx->child = &ctx->pipe->progs[0];
3231                  */
3232                 done_command(ctx);
3233         }
3234         debug_printf_parse("done_pipe return\n");
3235 }
3236
3237 /* Peek ahead in the in_str to find out if we have a "&n" construct,
3238  * as in "2>&1", that represents duplicating a file descriptor.
3239  * Return either -2 (syntax error), -1 (no &), or the number found.
3240  */
3241 static int redirect_dup_num(struct in_str *input)
3242 {
3243         int ch, d = 0, ok = 0;
3244         ch = i_peek(input);
3245         if (ch != '&') return -1;
3246
3247         i_getch(input);  /* get the & */
3248         ch = i_peek(input);
3249         if (ch == '-') {
3250                 i_getch(input);
3251                 return -3;  /* "-" represents "close me" */
3252         }
3253         while (isdigit(ch)) {
3254                 d = d*10 + (ch-'0');
3255                 ok = 1;
3256                 i_getch(input);
3257                 ch = i_peek(input);
3258         }
3259         if (ok) return d;
3260
3261         bb_error_msg("ambiguous redirect");
3262         return -2;
3263 }
3264
3265 /* If a redirect is immediately preceded by a number, that number is
3266  * supposed to tell which file descriptor to redirect.  This routine
3267  * looks for such preceding numbers.  In an ideal world this routine
3268  * needs to handle all the following classes of redirects...
3269  *     echo 2>foo     # redirects fd  2 to file "foo", nothing passed to echo
3270  *     echo 49>foo    # redirects fd 49 to file "foo", nothing passed to echo
3271  *     echo -2>foo    # redirects fd  1 to file "foo",    "-2" passed to echo
3272  *     echo 49x>foo   # redirects fd  1 to file "foo",   "49x" passed to echo
3273  * A -1 output from this program means no valid number was found, so the
3274  * caller should use the appropriate default for this redirection.
3275  */
3276 static int redirect_opt_num(o_string *o)
3277 {
3278         int num;
3279
3280         if (o->length == 0)
3281                 return -1;
3282         for (num = 0; num < o->length; num++) {
3283                 if (!isdigit(o->data[num])) {
3284                         return -1;
3285                 }
3286         }
3287         num = atoi(o->data);
3288         o_reset(o);
3289         return num;
3290 }
3291
3292 #if ENABLE_HUSH_TICK
3293 static FILE *generate_stream_from_list(struct pipe *head)
3294 {
3295         FILE *pf;
3296         int pid, channel[2];
3297
3298         xpipe(channel);
3299 /* *** NOMMU WARNING *** */
3300 /* By using vfork here, we suspend parent till child exits or execs.
3301  * If child will not do it before it fills the pipe, it can block forever
3302  * in write(STDOUT_FILENO), and parent (shell) will be also stuck.
3303  * Try this script:
3304  * yes "0123456789012345678901234567890" | dd bs=32 count=64k >TESTFILE
3305  * huge=`cat TESTFILE` # will block here forever
3306  * echo OK
3307  */
3308         pid = BB_MMU ? fork() : vfork();
3309         if (pid < 0)
3310                 bb_perror_msg_and_die(BB_MMU ? "fork" : "vfork");
3311         if (pid == 0) { /* child */
3312                 if (ENABLE_HUSH_JOB)
3313                         die_sleep = 0; /* let nofork's xfuncs die */
3314                 close(channel[0]); /* NB: close _first_, then move fd! */
3315                 xmove_fd(channel[1], 1);
3316                 /* Prevent it from trying to handle ctrl-z etc */
3317 #if ENABLE_HUSH_JOB
3318                 run_list_level = 1;
3319 #endif
3320                 /* Process substitution is not considered to be usual
3321                  * 'command execution'.
3322                  * SUSv3 says ctrl-Z should be ignored, ctrl-C should not. */
3323                 /* Not needed, we are relying on it being disabled
3324                  * everywhere outside actual command execution. */
3325                 /*set_jobctrl_sighandler(SIG_IGN);*/
3326                 set_misc_sighandler(SIG_DFL);
3327                 /* Freeing 'head' here would break NOMMU. */
3328                 _exit(run_list(head));
3329         }
3330         close(channel[1]);
3331         pf = fdopen(channel[0], "r");
3332         return pf;
3333         /* 'head' is freed by the caller */
3334 }
3335
3336 /* Return code is exit status of the process that is run. */
3337 static int process_command_subs(o_string *dest,
3338                 struct in_str *input,
3339                 const char *subst_end)
3340 {
3341         int retcode, ch, eol_cnt;
3342         o_string result = NULL_O_STRING;
3343         struct p_context inner;
3344         FILE *p;
3345         struct in_str pipe_str;
3346
3347         initialize_context(&inner);
3348
3349         /* Recursion to generate command */
3350         retcode = parse_stream(&result, &inner, input, subst_end);
3351         if (retcode != 0)
3352                 return retcode;  /* syntax error or EOF */
3353         done_word(&result, &inner);
3354         done_pipe(&inner, PIPE_SEQ);
3355         o_free(&result);
3356
3357         p = generate_stream_from_list(inner.list_head);
3358         if (p == NULL)
3359                 return 1;
3360         close_on_exec_on(fileno(p));
3361         setup_file_in_str(&pipe_str, p);
3362
3363         /* Now send results of command back into original context */
3364         eol_cnt = 0;
3365         while ((ch = i_getch(&pipe_str)) != EOF) {
3366                 if (ch == '\n') {
3367                         eol_cnt++;
3368                         continue;
3369                 }
3370                 while (eol_cnt) {
3371                         o_addchr(dest, '\n');
3372                         eol_cnt--;
3373                 }
3374 //              /* Even unquoted `echo '\'` results in two backslashes
3375 //               * (which are converted into one by globbing later) */
3376 //              if (!dest->o_quote && ch == '\\') {
3377 //                      o_addchr(dest, ch);
3378 //              }
3379                 o_addQchr(dest, ch);
3380         }
3381
3382         debug_printf("done reading from pipe, pclose()ing\n");
3383         /* This is the step that wait()s for the child.  Should be pretty
3384          * safe, since we just read an EOF from its stdout.  We could try
3385          * to do better, by using wait(), and keeping track of background jobs
3386          * at the same time.  That would be a lot of work, and contrary
3387          * to the KISS philosophy of this program. */
3388         retcode = fclose(p);
3389         free_pipe_list(inner.list_head, /* indent: */ 0);
3390         debug_printf("closed FILE from child, retcode=%d\n", retcode);
3391         return retcode;
3392 }
3393 #endif
3394
3395 static int parse_group(o_string *dest, struct p_context *ctx,
3396         struct in_str *input, int ch)
3397 {
3398         int rcode;
3399         const char *endch = NULL;
3400         struct p_context sub;
3401         struct child_prog *child = ctx->child;
3402
3403         debug_printf_parse("parse_group entered\n");
3404         if (child->argv) {
3405                 syntax(NULL);
3406                 debug_printf_parse("parse_group return 1: syntax error, groups and arglists don't mix\n");
3407                 return 1;
3408         }
3409         initialize_context(&sub);
3410         endch = "}";
3411         if (ch == '(') {
3412                 endch = ")";
3413                 child->subshell = 1;
3414         }
3415         rcode = parse_stream(dest, &sub, input, endch);
3416         if (rcode == 0) {
3417                 done_word(dest, &sub); /* finish off the final word in the subcontext */
3418                 done_pipe(&sub, PIPE_SEQ);  /* and the final command there, too */
3419                 child->group = sub.list_head;
3420         }
3421         debug_printf_parse("parse_group return %d\n", rcode);
3422         return rcode;
3423         /* child remains "open", available for possible redirects */
3424 }
3425
3426 /* Basically useful version until someone wants to get fancier,
3427  * see the bash man page under "Parameter Expansion" */
3428 static const char *lookup_param(const char *src)
3429 {
3430         struct variable *var = get_local_var(src);
3431         if (var)
3432                 return strchr(var->varstr, '=') + 1;
3433         return NULL;
3434 }
3435
3436 #if ENABLE_HUSH_TICK
3437 /* Subroutines for copying $(...) and `...` things */
3438 static void add_till_backquote(o_string *dest, struct in_str *input);
3439 /* '...' */
3440 static void add_till_single_quote(o_string *dest, struct in_str *input)
3441 {
3442         while (1) {
3443                 int ch = i_getch(input);
3444                 if (ch == EOF)
3445                         break;
3446                 if (ch == '\'')
3447                         break;
3448                 o_addchr(dest, ch);
3449         }
3450 }
3451 /* "...\"...`..`...." - do we need to handle "...$(..)..." too? */
3452 static void add_till_double_quote(o_string *dest, struct in_str *input)
3453 {
3454         while (1) {
3455                 int ch = i_getch(input);
3456                 if (ch == '"')
3457                         break;
3458                 if (ch == '\\') {  /* \x. Copy both chars. */
3459                         o_addchr(dest, ch);
3460                         ch = i_getch(input);
3461                 }
3462                 if (ch == EOF)
3463                         break;
3464                 o_addchr(dest, ch);
3465                 if (ch == '`') {
3466                         add_till_backquote(dest, input);
3467                         o_addchr(dest, ch);
3468                         continue;
3469                 }
3470                 //if (ch == '$') ...
3471         }
3472 }
3473 /* Process `cmd` - copy contents until "`" is seen. Complicated by
3474  * \` quoting.
3475  * "Within the backquoted style of command substitution, backslash
3476  * shall retain its literal meaning, except when followed by: '$', '`', or '\'.
3477  * The search for the matching backquote shall be satisfied by the first
3478  * backquote found without a preceding backslash; during this search,
3479  * if a non-escaped backquote is encountered within a shell comment,
3480  * a here-document, an embedded command substitution of the $(command)
3481  * form, or a quoted string, undefined results occur. A single-quoted
3482  * or double-quoted string that begins, but does not end, within the
3483  * "`...`" sequence produces undefined results."
3484  * Example                               Output
3485  * echo `echo '\'TEST\`echo ZZ\`BEST`    \TESTZZBEST
3486  */
3487 static void add_till_backquote(o_string *dest, struct in_str *input)
3488 {
3489         while (1) {
3490                 int ch = i_getch(input);
3491                 if (ch == '`')
3492                         break;
3493                 if (ch == '\\') {  /* \x. Copy both chars unless it is \` */
3494                         int ch2 = i_getch(input);
3495                         if (ch2 != '`' && ch2 != '$' && ch2 != '\\')
3496                                 o_addchr(dest, ch);
3497                         ch = ch2;
3498                 }
3499                 if (ch == EOF)
3500                         break;
3501                 o_addchr(dest, ch);
3502         }
3503 }
3504 /* Process $(cmd) - copy contents until ")" is seen. Complicated by
3505  * quoting and nested ()s.
3506  * "With the $(command) style of command substitution, all characters
3507  * following the open parenthesis to the matching closing parenthesis
3508  * constitute the command. Any valid shell script can be used for command,
3509  * except a script consisting solely of redirections which produces
3510  * unspecified results."
3511  * Example                              Output
3512  * echo $(echo '(TEST)' BEST)           (TEST) BEST
3513  * echo $(echo 'TEST)' BEST)            TEST) BEST
3514  * echo $(echo \(\(TEST\) BEST)         ((TEST) BEST
3515  */
3516 static void add_till_closing_curly_brace(o_string *dest, struct in_str *input)
3517 {
3518         int count = 0;
3519         while (1) {
3520                 int ch = i_getch(input);
3521                 if (ch == EOF)
3522                         break;
3523                 if (ch == '(')
3524                         count++;
3525                 if (ch == ')')
3526                         if (--count < 0)
3527                                 break;
3528                 o_addchr(dest, ch);
3529                 if (ch == '\'') {
3530                         add_till_single_quote(dest, input);
3531                         o_addchr(dest, ch);
3532                         continue;
3533                 }
3534                 if (ch == '"') {
3535                         add_till_double_quote(dest, input);
3536                         o_addchr(dest, ch);
3537                         continue;
3538                 }
3539                 if (ch == '\\') { /* \x. Copy verbatim. Important for  \(, \) */
3540                         ch = i_getch(input);
3541                         if (ch == EOF)
3542                                 break;
3543                         o_addchr(dest, ch);
3544                         continue;
3545                 }
3546         }
3547 }
3548 #endif /* ENABLE_HUSH_TICK */
3549
3550 /* Return code: 0 for OK, 1 for syntax error */
3551 static int handle_dollar(o_string *dest, struct in_str *input)
3552 {
3553         int ch = i_peek(input);  /* first character after the $ */
3554         unsigned char quote_mask = dest->o_quote ? 0x80 : 0;
3555
3556         debug_printf_parse("handle_dollar entered: ch='%c'\n", ch);
3557         if (isalpha(ch)) {
3558                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
3559                 while (1) {
3560                         debug_printf_parse(": '%c'\n", ch);
3561                         i_getch(input);
3562                         o_addchr(dest, ch | quote_mask);
3563                         quote_mask = 0;
3564                         ch = i_peek(input);
3565                         if (!isalnum(ch) && ch != '_')
3566                                 break;
3567                 }
3568                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
3569         } else if (isdigit(ch)) {
3570  make_one_char_var:
3571                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
3572                 debug_printf_parse(": '%c'\n", ch);
3573                 i_getch(input);
3574                 o_addchr(dest, ch | quote_mask);
3575                 o_addchr(dest, SPECIAL_VAR_SYMBOL);
3576         } else switch (ch) {
3577                 case '$': /* pid */
3578                 case '!': /* last bg pid */
3579                 case '?': /* last exit code */
3580                 case '#': /* number of args */
3581                 case '*': /* args */
3582                 case '@': /* args */
3583                         goto make_one_char_var;
3584                 case '{':
3585                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3586                         i_getch(input);
3587                         /* XXX maybe someone will try to escape the '}' */
3588                         while (1) {
3589                                 ch = i_getch(input);
3590                                 if (ch == '}')
3591                                         break;
3592                                 if (!isalnum(ch) && ch != '_') {
3593                                         syntax("unterminated ${name}");
3594                                         debug_printf_parse("handle_dollar return 1: unterminated ${name}\n");
3595                                         return 1;
3596                                 }
3597                                 debug_printf_parse(": '%c'\n", ch);
3598                                 o_addchr(dest, ch | quote_mask);
3599                                 quote_mask = 0;
3600                         }
3601                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3602                         break;
3603 #if ENABLE_HUSH_TICK
3604                 case '(': {
3605                         //int pos = dest->length;
3606                         i_getch(input);
3607                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3608                         o_addchr(dest, quote_mask | '`');
3609                         add_till_closing_curly_brace(dest, input);
3610                         //debug_printf_subst("SUBST RES2 '%s'\n", dest->data + pos);
3611                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3612                         break;
3613                 }
3614 #endif
3615                 case '-':
3616                 case '_':
3617                         /* still unhandled, but should be eventually */
3618                         bb_error_msg("unhandled syntax: $%c", ch);
3619                         return 1;
3620                         break;
3621                 default:
3622                         o_addQchr(dest, '$');
3623         }
3624         debug_printf_parse("handle_dollar return 0\n");
3625         return 0;
3626 }
3627
3628 /* Scan input, call done_word() whenever full IFS delimited word was seen.
3629  * Call done_pipe if '\n' was seen (and end_trigger != NULL).
3630  * Return code is 0 if end_trigger char is met,
3631  * -1 on EOF (but if end_trigger == NULL then return 0),
3632  * 1 for syntax error */
3633 static int parse_stream(o_string *dest, struct p_context *ctx,
3634         struct in_str *input, const char *end_trigger)
3635 {
3636         int ch, m;
3637         int redir_fd;
3638         redir_type redir_style;
3639         int shadow_quote = dest->o_quote;
3640         int next;
3641
3642         /* Only double-quote state is handled in the state variable dest->o_quote.
3643          * A single-quote triggers a bypass of the main loop until its mate is
3644          * found.  When recursing, quote state is passed in via dest->o_quote. */
3645
3646         debug_printf_parse("parse_stream entered, end_trigger='%s'\n", end_trigger);
3647
3648         while (1) {
3649                 m = CHAR_IFS;
3650                 next = '\0';
3651                 ch = i_getch(input);
3652                 if (ch != EOF) {
3653                         m = charmap[ch];
3654                         if (ch != '\n') {
3655                                 next = i_peek(input);
3656                         }
3657                 }
3658                 debug_printf_parse(": ch=%c (%d) m=%d quote=%d\n",
3659                                                 ch, ch, m, dest->o_quote);
3660                 if (m == CHAR_ORDINARY
3661                  || (m != CHAR_SPECIAL && shadow_quote)
3662                 ) {
3663                         if (ch == EOF) {
3664                                 syntax("unterminated \"");
3665                                 debug_printf_parse("parse_stream return 1: unterminated \"\n");
3666                                 return 1;
3667                         }
3668                         o_addQchr(dest, ch);
3669                         if (dest->o_assignment == MAYBE_ASSIGNMENT
3670                          && ch == '='
3671                          && is_assignment(dest->data)
3672                         ) {
3673                                 dest->o_assignment = DEFINITELY_ASSIGNMENT;
3674                         }
3675                         continue;
3676                 }
3677                 if (m == CHAR_IFS) {
3678                         if (done_word(dest, ctx)) {
3679                                 debug_printf_parse("parse_stream return 1: done_word!=0\n");
3680                                 return 1;
3681                         }
3682                         if (ch == EOF)
3683                                 break;
3684                         /* If we aren't performing a substitution, treat
3685                          * a newline as a command separator.
3686                          * [why we don't handle it exactly like ';'? --vda] */
3687                         if (end_trigger && ch == '\n') {
3688                                 done_pipe(ctx, PIPE_SEQ);
3689                         }
3690                 }
3691                 if (end_trigger) {
3692                         if (!shadow_quote && strchr(end_trigger, ch)) {
3693                                 /* Special case: (...word) makes last word terminate,
3694                                  * as if ';' is seen */
3695                                 if (ch == ')') {
3696                                         done_word(dest, ctx);
3697 //err chk?
3698                                         done_pipe(ctx, PIPE_SEQ);
3699                                 }
3700                                 if (!HAS_KEYWORDS
3701                                  IF_HAS_KEYWORDS(|| (ctx->ctx_res_w == RES_NONE && ctx->old_flag == 0))
3702                                 ) {
3703                                         debug_printf_parse("parse_stream return 0: end_trigger char found\n");
3704                                         return 0;
3705                                 }
3706                         }
3707                 }
3708                 if (m == CHAR_IFS)
3709                         continue;
3710
3711                 if (dest->o_assignment == MAYBE_ASSIGNMENT) {
3712                         /* ch is a special char and thus this word
3713                          * cannot be an assignment: */
3714                         dest->o_assignment = NOT_ASSIGNMENT;
3715                 }
3716
3717                 switch (ch) {
3718                 case '#':
3719                         if (dest->length == 0 && !shadow_quote) {
3720                                 while (1) {
3721                                         ch = i_peek(input);
3722                                         if (ch == EOF || ch == '\n')
3723                                                 break;
3724                                         i_getch(input);
3725                                 }
3726                         } else {
3727                                 o_addQchr(dest, ch);
3728                         }
3729                         break;
3730                 case '\\':
3731                         if (next == EOF) {
3732                                 syntax("\\<eof>");
3733                                 debug_printf_parse("parse_stream return 1: \\<eof>\n");
3734                                 return 1;
3735                         }
3736                         /* bash:
3737                          * "The backslash retains its special meaning [in "..."]
3738                          * only when followed by one of the following characters:
3739                          * $, `, ", \, or <newline>.  A double quote may be quoted
3740                          * within double quotes by preceding it with a  backslash.
3741                          * If enabled, history expansion will be performed unless
3742                          * an ! appearing in double quotes is escaped using
3743                          * a backslash. The backslash preceding the ! is not removed."
3744                          */
3745                         if (shadow_quote) { //NOT SURE   dest->o_quote) {
3746                                 if (strchr("$`\"\\", next) != NULL) {
3747                                         o_addqchr(dest, i_getch(input));
3748                                 } else {
3749                                         o_addqchr(dest, '\\');
3750                                 }
3751                         } else {
3752                                 o_addchr(dest, '\\');
3753                                 o_addchr(dest, i_getch(input));
3754                         }
3755                         break;
3756                 case '$':
3757                         if (handle_dollar(dest, input) != 0) {
3758                                 debug_printf_parse("parse_stream return 1: handle_dollar returned non-0\n");
3759                                 return 1;
3760                         }
3761                         break;
3762                 case '\'':
3763                         dest->nonnull = 1;
3764                         while (1) {
3765                                 ch = i_getch(input);
3766                                 if (ch == EOF) {
3767                                         syntax("unterminated '");
3768                                         debug_printf_parse("parse_stream return 1: unterminated '\n");
3769                                         return 1;
3770                                 }
3771                                 if (ch == '\'')
3772                                         break;
3773                                 if (dest->o_assignment == NOT_ASSIGNMENT)
3774                                         o_addqchr(dest, ch);
3775                                 else
3776                                         o_addchr(dest, ch);
3777                         }
3778                         break;
3779                 case '"':
3780                         dest->nonnull = 1;
3781                         shadow_quote ^= 1; /* invert */
3782                         if (dest->o_assignment == NOT_ASSIGNMENT)
3783                                 dest->o_quote ^= 1;
3784                         break;
3785 #if ENABLE_HUSH_TICK
3786                 case '`': {
3787                         //int pos = dest->length;
3788                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3789                         o_addchr(dest, shadow_quote /*or dest->o_quote??*/ ? 0x80 | '`' : '`');
3790                         add_till_backquote(dest, input);
3791                         o_addchr(dest, SPECIAL_VAR_SYMBOL);
3792                         //debug_printf_subst("SUBST RES3 '%s'\n", dest->data + pos);
3793                         break;
3794                 }
3795 #endif
3796                 case '>':
3797                         redir_fd = redirect_opt_num(dest);
3798                         done_word(dest, ctx);
3799                         redir_style = REDIRECT_OVERWRITE;
3800                         if (next == '>') {
3801                                 redir_style = REDIRECT_APPEND;
3802                                 i_getch(input);
3803                         }
3804 #if 0
3805                         else if (next == '(') {
3806                                 syntax(">(process) not supported");
3807                                 debug_printf_parse("parse_stream return 1: >(process) not supported\n");
3808                                 return 1;
3809                         }
3810 #endif
3811                         setup_redirect(ctx, redir_fd, redir_style, input);
3812                         break;
3813                 case '<':
3814                         redir_fd = redirect_opt_num(dest);
3815                         done_word(dest, ctx);
3816                         redir_style = REDIRECT_INPUT;
3817                         if (next == '<') {
3818                                 redir_style = REDIRECT_HEREIS;
3819                                 i_getch(input);
3820                         } else if (next == '>') {
3821                                 redir_style = REDIRECT_IO;
3822                                 i_getch(input);
3823                         }
3824 #if 0
3825                         else if (next == '(') {
3826                                 syntax("<(process) not supported");
3827                                 debug_printf_parse("parse_stream return 1: <(process) not supported\n");
3828                                 return 1;
3829                         }
3830 #endif
3831                         setup_redirect(ctx, redir_fd, redir_style, input);
3832                         break;
3833                 case ';':
3834 #if ENABLE_HUSH_CASE
3835  case_semi:
3836 #endif
3837                         done_word(dest, ctx);
3838                         done_pipe(ctx, PIPE_SEQ);
3839 #if ENABLE_HUSH_CASE
3840                         /* Eat multiple semicolons, detect
3841                          * whether it means something special */
3842                         while (1) {
3843                                 ch = i_peek(input);
3844                                 if (ch != ';')
3845                                         break;
3846                                 i_getch(input);
3847                                 if (ctx->ctx_res_w == RES_CASEI) {
3848                                         ctx->ctx_dsemicolon = 1;
3849                                         ctx->ctx_res_w = RES_MATCH;
3850                                         break;
3851                                 }
3852                         }
3853 #endif
3854                         break;
3855                 case '&':
3856                         done_word(dest, ctx);
3857                         if (next == '&') {
3858                                 i_getch(input);
3859                                 done_pipe(ctx, PIPE_AND);
3860                         } else {
3861                                 done_pipe(ctx, PIPE_BG);
3862                         }
3863                         break;
3864                 case '|':
3865                         done_word(dest, ctx);
3866                         if (next == '|') {
3867                                 i_getch(input);
3868                                 done_pipe(ctx, PIPE_OR);
3869                         } else {
3870                                 /* we could pick up a file descriptor choice here
3871                                  * with redirect_opt_num(), but bash doesn't do it.
3872                                  * "echo foo 2| cat" yields "foo 2". */
3873                                 done_command(ctx);
3874                         }
3875                         break;
3876                 case '(':
3877 #if ENABLE_HUSH_CASE
3878                         if (dest->length == 0 // && argv[0] == NULL
3879                          && ctx->ctx_res_w == RES_MATCH
3880                         ) {
3881                                 continue;
3882                         }
3883 #endif
3884                 case '{':
3885                         if (parse_group(dest, ctx, input, ch) != 0) {
3886                                 debug_printf_parse("parse_stream return 1: parse_group returned non-0\n");
3887                                 return 1;
3888                         }
3889                         break;
3890                 case ')':
3891 #if ENABLE_HUSH_CASE
3892                         if (ctx->ctx_res_w == RES_MATCH)
3893                                 goto case_semi;
3894 #endif
3895                 case '}':
3896                         /* proper use of this character is caught by end_trigger */
3897                         syntax("unexpected } or )");
3898                         debug_printf_parse("parse_stream return 1: unexpected '}'\n");
3899                         return 1;
3900                 default:
3901                         if (HUSH_DEBUG)
3902                                 bb_error_msg_and_die("BUG: unexpected %c\n", ch);
3903                 }
3904         } /* while (1) */
3905         debug_printf_parse("parse_stream return %d\n", -(end_trigger != NULL));
3906         if (end_trigger)
3907                 return -1;
3908         return 0;
3909 }
3910
3911 static void set_in_charmap(const char *set, int code)
3912 {
3913         while (*set)
3914                 charmap[(unsigned char)*set++] = code;
3915 }
3916
3917 static void update_charmap(void)
3918 {
3919         /* char *ifs and char charmap[256] are both globals. */
3920         ifs = getenv("IFS");
3921         if (ifs == NULL)
3922                 ifs = " \t\n";
3923         /* Precompute a list of 'flow through' behavior so it can be treated
3924          * quickly up front.  Computation is necessary because of IFS.
3925          * Special case handling of IFS == " \t\n" is not implemented.
3926          * The charmap[] array only really needs two bits each,
3927          * and on most machines that would be faster (reduced L1 cache use).
3928          */
3929         memset(charmap, CHAR_ORDINARY, sizeof(charmap));
3930 #if ENABLE_HUSH_TICK
3931         set_in_charmap("\\$\"`", CHAR_SPECIAL);
3932 #else
3933         set_in_charmap("\\$\"", CHAR_SPECIAL);
3934 #endif
3935         set_in_charmap("<>;&|(){}#'", CHAR_ORDINARY_IF_QUOTED);
3936         set_in_charmap(ifs, CHAR_IFS);  /* are ordinary if quoted */
3937 }
3938
3939 /* Most recursion does not come through here, the exception is
3940  * from builtin_source() and builtin_eval() */
3941 static int parse_and_run_stream(struct in_str *inp, int parse_flag)
3942 {
3943         struct p_context ctx;
3944         o_string temp = NULL_O_STRING;
3945         int rcode;
3946
3947         do {
3948                 initialize_context(&ctx);
3949                 update_charmap();
3950 #if ENABLE_HUSH_INTERACTIVE
3951                 inp->promptmode = 0; /* PS1 */
3952 #endif
3953                 /* We will stop & execute after each ';' or '\n'.
3954                  * Example: "sleep 9999; echo TEST" + ctrl-C:
3955                  * TEST should be printed */
3956                 rcode = parse_stream(&temp, &ctx, inp, ";\n");
3957 #if HAS_KEYWORDS
3958                 if (rcode != 1 && ctx.old_flag != 0) {
3959                         syntax(NULL);
3960                 }
3961 #endif
3962                 if (rcode != 1 IF_HAS_KEYWORDS(&& ctx.old_flag == 0)) {
3963                         done_word(&temp, &ctx);
3964                         done_pipe(&ctx, PIPE_SEQ);
3965                         debug_print_tree(ctx.list_head, 0);
3966                         debug_printf_exec("parse_stream_outer: run_and_free_list\n");
3967                         run_and_free_list(ctx.list_head);
3968                 } else {
3969                         /* We arrive here also if rcode == 1 (error in parse_stream) */
3970 #if HAS_KEYWORDS
3971                         if (ctx.old_flag != 0) {
3972                                 free(ctx.stack);
3973                                 o_reset(&temp);
3974                         }
3975 #endif
3976                         /*temp.nonnull = 0; - o_free does it below */
3977                         /*temp.o_quote = 0; - o_free does it below */
3978                         free_pipe_list(ctx.list_head, /* indent: */ 0);
3979                         /* Discard all unprocessed line input, force prompt on */
3980                         inp->p = NULL;
3981 #if ENABLE_HUSH_INTERACTIVE
3982                         inp->promptme = 1;
3983 #endif
3984                 }
3985                 o_free(&temp);
3986                 /* loop on syntax errors, return on EOF: */
3987         } while (rcode != -1 && !(parse_flag & PARSEFLAG_EXIT_FROM_LOOP));
3988         return 0;
3989 }
3990
3991 static int parse_and_run_string(const char *s, int parse_flag)
3992 {
3993         struct in_str input;
3994         setup_string_in_str(&input, s);
3995         return parse_and_run_stream(&input, parse_flag);
3996 }
3997
3998 static int parse_and_run_file(FILE *f)
3999 {
4000         int rcode;
4001         struct in_str input;
4002         setup_file_in_str(&input, f);
4003         rcode = parse_and_run_stream(&input, 0 /* parse_flag */);
4004         return rcode;
4005 }
4006
4007 #if ENABLE_HUSH_JOB
4008 /* Make sure we have a controlling tty.  If we get started under a job
4009  * aware app (like bash for example), make sure we are now in charge so
4010  * we don't fight over who gets the foreground */
4011 static void setup_job_control(void)
4012 {
4013         pid_t shell_pgrp;
4014
4015         saved_task_pgrp = shell_pgrp = getpgrp();
4016         debug_printf_jobs("saved_task_pgrp=%d\n", saved_task_pgrp);
4017         close_on_exec_on(interactive_fd);
4018
4019         /* If we were ran as 'hush &',
4020          * sleep until we are in the foreground.  */
4021         while (tcgetpgrp(interactive_fd) != shell_pgrp) {
4022                 /* Send TTIN to ourself (should stop us) */
4023                 kill(- shell_pgrp, SIGTTIN);
4024                 shell_pgrp = getpgrp();
4025         }
4026
4027         /* Ignore job-control and misc signals.  */
4028         set_jobctrl_sighandler(SIG_IGN);
4029         set_misc_sighandler(SIG_IGN);
4030 //huh?  signal(SIGCHLD, SIG_IGN);
4031
4032         /* We _must_ restore tty pgrp on fatal signals */
4033         set_fatal_sighandler(sigexit);
4034
4035         /* Put ourselves in our own process group.  */
4036         setpgrp(); /* is the same as setpgid(our_pid, our_pid); */
4037         /* Grab control of the terminal.  */
4038         tcsetpgrp(interactive_fd, getpid());
4039 }
4040 #endif
4041
4042
4043 int hush_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
4044 int hush_main(int argc, char **argv)
4045 {
4046         static const char version_str[] ALIGN1 = "HUSH_VERSION="HUSH_VER_STR;
4047         static const struct variable const_shell_ver = {
4048                 .next = NULL,
4049                 .varstr = (char*)version_str,
4050                 .max_len = 1, /* 0 can provoke free(name) */
4051                 .flg_export = 1,
4052                 .flg_read_only = 1,
4053         };
4054
4055         int opt;
4056         FILE *input;
4057         char **e;
4058         struct variable *cur_var;
4059
4060         INIT_G();
4061
4062         root_pid = getpid();
4063
4064         /* Deal with HUSH_VERSION */
4065         shell_ver = const_shell_ver; /* copying struct here */
4066         top_var = &shell_ver;
4067         unsetenv("HUSH_VERSION"); /* in case it exists in initial env */
4068         /* Initialize our shell local variables with the values
4069          * currently living in the environment */
4070         cur_var = top_var;
4071         e = environ;
4072         if (e) while (*e) {
4073                 char *value = strchr(*e, '=');
4074                 if (value) { /* paranoia */
4075                         cur_var->next = xzalloc(sizeof(*cur_var));
4076                         cur_var = cur_var->next;
4077                         cur_var->varstr = *e;
4078                         cur_var->max_len = strlen(*e);
4079                         cur_var->flg_export = 1;
4080                 }
4081                 e++;
4082         }
4083         putenv((char *)version_str); /* reinstate HUSH_VERSION */
4084
4085 #if ENABLE_FEATURE_EDITING
4086         line_input_state = new_line_input_t(FOR_SHELL);
4087 #endif
4088         /* XXX what should these be while sourcing /etc/profile? */
4089         global_argc = argc;
4090         global_argv = argv;
4091         /* Initialize some more globals to non-zero values */
4092         set_cwd();
4093 #if ENABLE_HUSH_INTERACTIVE
4094 #if ENABLE_FEATURE_EDITING
4095         cmdedit_set_initial_prompt();
4096 #endif
4097         PS2 = "> ";
4098 #endif
4099
4100         if (EXIT_SUCCESS) /* otherwise is already done */
4101                 last_return_code = EXIT_SUCCESS;
4102
4103         if (argv[0] && argv[0][0] == '-') {
4104                 debug_printf("sourcing /etc/profile\n");
4105                 input = fopen_for_read("/etc/profile");
4106                 if (input != NULL) {
4107                         close_on_exec_on(fileno(input));
4108                         parse_and_run_file(input);
4109                         fclose(input);
4110                 }
4111         }
4112         input = stdin;
4113
4114         while ((opt = getopt(argc, argv, "c:xif")) > 0) {
4115                 switch (opt) {
4116                 case 'c':
4117                         global_argv = argv + optind;
4118                         global_argc = argc - optind;
4119                         opt = parse_and_run_string(optarg, 0 /* parse_flag */);
4120                         goto final_return;
4121                 case 'i':
4122                         /* Well, we cannot just declare interactiveness,
4123                          * we have to have some stuff (ctty, etc) */
4124                         /* interactive_fd++; */
4125                         break;
4126                 case 'f':
4127                         fake_mode = 1;
4128                         break;
4129                 default:
4130 #ifndef BB_VER
4131                         fprintf(stderr, "Usage: sh [FILE]...\n"
4132                                         "   or: sh -c command [args]...\n\n");
4133                         exit(EXIT_FAILURE);
4134 #else
4135                         bb_show_usage();
4136 #endif
4137                 }
4138         }
4139 #if ENABLE_HUSH_JOB
4140         /* A shell is interactive if the '-i' flag was given, or if all of
4141          * the following conditions are met:
4142          *    no -c command
4143          *    no arguments remaining or the -s flag given
4144          *    standard input is a terminal
4145          *    standard output is a terminal
4146          *    Refer to Posix.2, the description of the 'sh' utility. */
4147         if (argv[optind] == NULL && input == stdin
4148          && isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)
4149         ) {
4150                 saved_tty_pgrp = tcgetpgrp(STDIN_FILENO);
4151                 debug_printf("saved_tty_pgrp=%d\n", saved_tty_pgrp);
4152                 if (saved_tty_pgrp >= 0) {
4153                         /* try to dup to high fd#, >= 255 */
4154                         interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
4155                         if (interactive_fd < 0) {
4156                                 /* try to dup to any fd */
4157                                 interactive_fd = dup(STDIN_FILENO);
4158                                 if (interactive_fd < 0)
4159                                         /* give up */
4160                                         interactive_fd = 0;
4161                         }
4162                         // TODO: track & disallow any attempts of user
4163                         // to (inadvertently) close/redirect it
4164                 }
4165         }
4166         debug_printf("interactive_fd=%d\n", interactive_fd);
4167         if (interactive_fd) {
4168                 fcntl(interactive_fd, F_SETFD, FD_CLOEXEC);
4169                 /* Looks like they want an interactive shell */
4170                 setup_job_control();
4171                 /* -1 is special - makes xfuncs longjmp, not exit
4172                  * (we reset die_sleep = 0 whereever we [v]fork) */
4173                 die_sleep = -1;
4174                 if (setjmp(die_jmp)) {
4175                         /* xfunc has failed! die die die */
4176                         hush_exit(xfunc_error_retval);
4177                 }
4178 #if !ENABLE_FEATURE_SH_EXTRA_QUIET
4179                 printf("\n\n%s hush - the humble shell v"HUSH_VER_STR"\n", bb_banner);
4180                 printf("Enter 'help' for a list of built-in commands.\n\n");
4181 #endif
4182         }
4183 #elif ENABLE_HUSH_INTERACTIVE
4184 /* no job control compiled, only prompt/line editing */
4185         if (argv[optind] == NULL && input == stdin
4186          && isatty(STDIN_FILENO) && isatty(STDOUT_FILENO)
4187         ) {
4188                 interactive_fd = fcntl(STDIN_FILENO, F_DUPFD, 255);
4189                 if (interactive_fd < 0) {
4190                         /* try to dup to any fd */
4191                         interactive_fd = dup(STDIN_FILENO);
4192                         if (interactive_fd < 0)
4193                                 /* give up */
4194                                 interactive_fd = 0;
4195                 }
4196                 if (interactive_fd) {
4197                         fcntl(interactive_fd, F_SETFD, FD_CLOEXEC);
4198                         set_misc_sighandler(SIG_IGN);
4199                 }
4200         }
4201 #endif
4202
4203         if (argv[optind] == NULL) {
4204                 opt = parse_and_run_file(stdin);
4205         } else {
4206                 debug_printf("\nrunning script '%s'\n", argv[optind]);
4207                 global_argv = argv + optind;
4208                 global_argc = argc - optind;
4209                 input = xfopen_for_read(argv[optind]);
4210                 fcntl(fileno(input), F_SETFD, FD_CLOEXEC);
4211                 opt = parse_and_run_file(input);
4212         }
4213
4214  final_return:
4215
4216 #if ENABLE_FEATURE_CLEAN_UP
4217         fclose(input);
4218         if (cwd != bb_msg_unknown)
4219                 free((char*)cwd);
4220         cur_var = top_var->next;
4221         while (cur_var) {
4222                 struct variable *tmp = cur_var;
4223                 if (!cur_var->max_len)
4224                         free(cur_var->varstr);
4225                 cur_var = cur_var->next;
4226                 free(tmp);
4227         }
4228 #endif
4229         hush_exit(opt ? opt : last_return_code);
4230 }
4231
4232
4233 #if ENABLE_LASH
4234 int lash_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
4235 int lash_main(int argc, char **argv)
4236 {
4237         //bb_error_msg("lash is deprecated, please use hush instead");
4238         return hush_main(argc, argv);
4239 }
4240 #endif
4241
4242
4243 /*
4244  * Built-ins
4245  */
4246 static int builtin_true(char **argv UNUSED_PARAM)
4247 {
4248         return 0;
4249 }
4250
4251 static int builtin_test(char **argv)
4252 {
4253         int argc = 0;
4254         while (*argv) {
4255                 argc++;
4256                 argv++;
4257         }
4258         return test_main(argc, argv - argc);
4259 }
4260
4261 static int builtin_echo(char **argv)
4262 {
4263         int argc = 0;
4264         while (*argv) {
4265                 argc++;
4266                 argv++;
4267         }
4268         return echo_main(argc, argv - argc);
4269 }
4270
4271 static int builtin_eval(char **argv)
4272 {
4273         int rcode = EXIT_SUCCESS;
4274
4275         if (argv[1]) {
4276                 char *str = expand_strvec_to_string(argv + 1);
4277                 parse_and_run_string(str, PARSEFLAG_EXIT_FROM_LOOP);
4278                 free(str);
4279                 rcode = last_return_code;
4280         }
4281         return rcode;
4282 }
4283
4284 static int builtin_cd(char **argv)
4285 {
4286         const char *newdir;
4287         if (argv[1] == NULL) {
4288                 // bash does nothing (exitcode 0) if HOME is ""; if it's unset,
4289                 // bash says "bash: cd: HOME not set" and does nothing (exitcode 1)
4290                 newdir = getenv("HOME") ? : "/";
4291         } else
4292                 newdir = argv[1];
4293         if (chdir(newdir)) {
4294                 printf("cd: %s: %s\n", newdir, strerror(errno));
4295                 return EXIT_FAILURE;
4296         }
4297         set_cwd();
4298         return EXIT_SUCCESS;
4299 }
4300
4301 static int builtin_exec(char **argv)
4302 {
4303         if (argv[1] == NULL)
4304                 return EXIT_SUCCESS; /* bash does this */
4305         {
4306 #if !BB_MMU
4307                 char **ptrs2free = alloc_ptrs(argv);
4308 #endif
4309 // FIXME: if exec fails, bash does NOT exit! We do...
4310                 pseudo_exec_argv(ptrs2free, argv + 1, NULL);
4311                 /* never returns */
4312         }
4313 }
4314
4315 static int builtin_exit(char **argv)
4316 {
4317 // TODO: bash does it ONLY on top-level sh exit (+interacive only?)
4318         //puts("exit"); /* bash does it */
4319 // TODO: warn if we have background jobs: "There are stopped jobs"
4320 // On second consecutive 'exit', exit anyway.
4321         if (argv[1] == NULL)
4322                 hush_exit(last_return_code);
4323         /* mimic bash: exit 123abc == exit 255 + error msg */
4324         xfunc_error_retval = 255;
4325         /* bash: exit -2 == exit 254, no error msg */
4326         hush_exit(xatoi(argv[1]) & 0xff);
4327 }
4328
4329 static int builtin_export(char **argv)
4330 {
4331         const char *value;
4332         char *name = argv[1];
4333
4334         if (name == NULL) {
4335                 // TODO:
4336                 // ash emits: export VAR='VAL'
4337                 // bash: declare -x VAR="VAL"
4338                 // (both also escape as needed (quotes, $, etc))
4339                 char **e = environ;
4340                 if (e)
4341                         while (*e)
4342                                 puts(*e++);
4343                 return EXIT_SUCCESS;
4344         }
4345
4346         value = strchr(name, '=');
4347         if (!value) {
4348                 /* They are exporting something without a =VALUE */
4349                 struct variable *var;
4350
4351                 var = get_local_var(name);
4352                 if (var) {
4353                         var->flg_export = 1;
4354                         putenv(var->varstr);
4355                 }
4356                 /* bash does not return an error when trying to export
4357                  * an undefined variable.  Do likewise. */
4358                 return EXIT_SUCCESS;
4359         }
4360
4361         set_local_var(xstrdup(name), 1);
4362         return EXIT_SUCCESS;
4363 }
4364
4365 #if ENABLE_HUSH_JOB
4366 /* built-in 'fg' and 'bg' handler */
4367 static int builtin_fg_bg(char **argv)
4368 {
4369         int i, jobnum;
4370         struct pipe *pi;
4371
4372         if (!interactive_fd)
4373                 return EXIT_FAILURE;
4374         /* If they gave us no args, assume they want the last backgrounded task */
4375         if (!argv[1]) {
4376                 for (pi = job_list; pi; pi = pi->next) {
4377                         if (pi->jobid == last_jobid) {
4378                                 goto found;
4379                         }
4380                 }
4381                 bb_error_msg("%s: no current job", argv[0]);
4382                 return EXIT_FAILURE;
4383         }
4384         if (sscanf(argv[1], "%%%d", &jobnum) != 1) {
4385                 bb_error_msg("%s: bad argument '%s'", argv[0], argv[1]);
4386                 return EXIT_FAILURE;
4387         }
4388         for (pi = job_list; pi; pi = pi->next) {
4389                 if (pi->jobid == jobnum) {
4390                         goto found;
4391                 }
4392         }
4393         bb_error_msg("%s: %d: no such job", argv[0], jobnum);
4394         return EXIT_FAILURE;
4395  found:
4396         // TODO: bash prints a string representation
4397         // of job being foregrounded (like "sleep 1 | cat")
4398         if (*argv[0] == 'f') {
4399                 /* Put the job into the foreground.  */
4400                 tcsetpgrp(interactive_fd, pi->pgrp);
4401         }
4402
4403         /* Restart the processes in the job */
4404         debug_printf_jobs("reviving %d procs, pgrp %d\n", pi->num_progs, pi->pgrp);
4405         for (i = 0; i < pi->num_progs; i++) {
4406                 debug_printf_jobs("reviving pid %d\n", pi->progs[i].pid);
4407                 pi->progs[i].is_stopped = 0;
4408         }
4409         pi->stopped_progs = 0;
4410
4411         i = kill(- pi->pgrp, SIGCONT);
4412         if (i < 0) {
4413                 if (errno == ESRCH) {
4414                         delete_finished_bg_job(pi);
4415                         return EXIT_SUCCESS;
4416                 } else {
4417                         bb_perror_msg("kill (SIGCONT)");
4418                 }
4419         }
4420
4421         if (*argv[0] == 'f') {
4422                 remove_bg_job(pi);
4423                 return checkjobs_and_fg_shell(pi);
4424         }
4425         return EXIT_SUCCESS;
4426 }
4427 #endif
4428
4429 #if ENABLE_HUSH_HELP
4430 static int builtin_help(char **argv UNUSED_PARAM)
4431 {
4432         const struct built_in_command *x;
4433
4434         printf("\nBuilt-in commands:\n");
4435         printf("-------------------\n");
4436         for (x = bltins; x != &bltins[ARRAY_SIZE(bltins)]; x++) {
4437                 printf("%s\t%s\n", x->cmd, x->descr);
4438         }
4439         printf("\n\n");
4440         return EXIT_SUCCESS;
4441 }
4442 #endif
4443
4444 #if ENABLE_HUSH_JOB
4445 static int builtin_jobs(char **argv UNUSED_PARAM)
4446 {
4447         struct pipe *job;
4448         const char *status_string;
4449
4450         for (job = job_list; job; job = job->next) {
4451                 if (job->alive_progs == job->stopped_progs)
4452                         status_string = "Stopped";
4453                 else
4454                         status_string = "Running";
4455
4456                 printf(JOB_STATUS_FORMAT, job->jobid, status_string, job->cmdtext);
4457         }
4458         return EXIT_SUCCESS;
4459 }
4460 #endif
4461
4462 static int builtin_pwd(char **argv UNUSED_PARAM)
4463 {
4464         puts(set_cwd());
4465         return EXIT_SUCCESS;
4466 }
4467
4468 static int builtin_read(char **argv)
4469 {
4470         char *string;
4471         const char *name = argv[1] ? argv[1] : "REPLY";
4472
4473         string = xmalloc_reads(STDIN_FILENO, xasprintf("%s=", name), NULL);
4474         return set_local_var(string, 0);
4475 }
4476
4477 /* built-in 'set [VAR=value]' handler */
4478 static int builtin_set(char **argv)
4479 {
4480         char *temp = argv[1];
4481         struct variable *e;
4482
4483         if (temp == NULL)
4484                 for (e = top_var; e; e = e->next)
4485                         puts(e->varstr);
4486         else
4487                 set_local_var(xstrdup(temp), 0);
4488
4489         return EXIT_SUCCESS;
4490 }
4491
4492 static int builtin_shift(char **argv)
4493 {
4494         int n = 1;
4495         if (argv[1]) {
4496                 n = atoi(argv[1]);
4497         }
4498         if (n >= 0 && n < global_argc) {
4499                 global_argv[n] = global_argv[0];
4500                 global_argc -= n;
4501                 global_argv += n;
4502                 return EXIT_SUCCESS;
4503         }
4504         return EXIT_FAILURE;
4505 }
4506
4507 static int builtin_source(char **argv)
4508 {
4509         FILE *input;
4510         int status;
4511
4512         if (argv[1] == NULL)
4513                 return EXIT_FAILURE;
4514
4515         /* XXX search through $PATH is missing */
4516         input = fopen_for_read(argv[1]);
4517         if (!input) {
4518                 bb_error_msg("can't open '%s'", argv[1]);
4519                 return EXIT_FAILURE;
4520         }
4521         close_on_exec_on(fileno(input));
4522
4523         /* Now run the file */
4524         /* XXX argv and argc are broken; need to save old global_argv
4525          * (pointer only is OK!) on this stack frame,
4526          * set global_argv=argv+1, recurse, and restore. */
4527         status = parse_and_run_file(input);
4528         fclose(input);
4529         return status;
4530 }
4531
4532 static int builtin_umask(char **argv)
4533 {
4534         mode_t new_umask;
4535         const char *arg = argv[1];
4536         char *end;
4537         if (arg) {
4538                 new_umask = strtoul(arg, &end, 8);
4539                 if (*end != '\0' || end == arg) {
4540                         return EXIT_FAILURE;
4541                 }
4542         } else {
4543                 new_umask = umask(0);
4544                 printf("%.3o\n", (unsigned) new_umask);
4545         }
4546         umask(new_umask);
4547         return EXIT_SUCCESS;
4548 }
4549
4550 static int builtin_unset(char **argv)
4551 {
4552         /* bash always returns true */
4553         unset_local_var(argv[1]);
4554         return EXIT_SUCCESS;
4555 }
4556
4557 #if ENABLE_HUSH_LOOPS
4558 static int builtin_break(char **argv)
4559 {
4560         if (depth_of_loop == 0) {
4561                 bb_error_msg("%s: only meaningful in a loop", "break");
4562                 return EXIT_SUCCESS; /* bash compat */
4563         }
4564         flag_break_continue++; /* BC_BREAK = 1 */
4565         depth_break_continue = 1;
4566         if (argv[1]) {
4567                 depth_break_continue = bb_strtou(argv[1], NULL, 10);
4568                 if (errno || !depth_break_continue || argv[2]) {
4569                         bb_error_msg("bad arguments");
4570                         flag_break_continue = BC_BREAK;
4571                         depth_break_continue = UINT_MAX;
4572                 }
4573         }
4574         if (depth_of_loop < depth_break_continue)
4575                 depth_break_continue = depth_of_loop;
4576         return EXIT_SUCCESS;
4577 }
4578
4579 static int builtin_continue(char **argv)
4580 {
4581         if (depth_of_loop) {
4582                 flag_break_continue++; /* BC_CONTINUE = 2 = 1+1 */
4583                 return builtin_break(argv);
4584         }
4585         bb_error_msg("%s: only meaningful in a loop", "continue");
4586         return EXIT_SUCCESS; /* bash compat */
4587 }
4588 #endif