busybox/editors/sed.c
<<
>>
Prefs
   1/* vi: set sw=4 ts=4: */
   2/*
   3 * sed.c - very minimalist version of sed
   4 *
   5 * Copyright (C) 1999,2000,2001 by Lineo, inc. and Mark Whitley
   6 * Copyright (C) 1999,2000,2001 by Mark Whitley <markw@codepoet.org>
   7 * Copyright (C) 2002  Matt Kraai
   8 * Copyright (C) 2003 by Glenn McGrath
   9 * Copyright (C) 2003,2004 by Rob Landley <rob@landley.net>
  10 *
  11 * MAINTAINER: Rob Landley <rob@landley.net>
  12 *
  13 * Licensed under GPLv2, see file LICENSE in this source tree.
  14 */
  15/* Code overview.
  16 *
  17 * Files are laid out to avoid unnecessary function declarations.  So for
  18 * example, every function add_cmd calls occurs before add_cmd in this file.
  19 *
  20 * add_cmd() is called on each line of sed command text (from a file or from
  21 * the command line).  It calls get_address() and parse_cmd_args().  The
  22 * resulting sed_cmd_t structures are appended to a linked list
  23 * (G.sed_cmd_head/G.sed_cmd_tail).
  24 *
  25 * process_files() does actual sedding, reading data lines from each input FILE*
  26 * (which could be stdin) and applying the sed command list (sed_cmd_head) to
  27 * each of the resulting lines.
  28 *
  29 * sed_main() is where external code calls into this, with a command line.
  30 */
  31/* Supported features and commands in this version of sed:
  32 *
  33 * - comments ('#')
  34 * - address matching: num|/matchstr/[,num|/matchstr/|$]command
  35 * - commands: (p)rint, (d)elete, (s)ubstitue (with g & I flags)
  36 * - edit commands: (a)ppend, (i)nsert, (c)hange
  37 * - file commands: (r)ead
  38 * - backreferences in substitution expressions (\0, \1, \2...\9)
  39 * - grouped commands: {cmd1;cmd2}
  40 * - transliteration (y/source-chars/dest-chars/)
  41 * - pattern space hold space storing / swapping (g, h, x)
  42 * - labels / branching (: label, b, t, T)
  43 *
  44 * (Note: Specifying an address (range) to match is *optional*; commands
  45 * default to the whole pattern space if no specific address match was
  46 * requested.)
  47 *
  48 * Todo:
  49 * - Create a wrapper around regex to make libc's regex conform with sed
  50 *
  51 * Reference
  52 * http://www.opengroup.org/onlinepubs/007904975/utilities/sed.html
  53 * http://pubs.opengroup.org/onlinepubs/9699919799/utilities/sed.html
  54 * http://sed.sourceforge.net/sedfaq3.html
  55 */
  56//config:config SED
  57//config:       bool "sed (12 kb)"
  58//config:       default y
  59//config:       help
  60//config:       sed is used to perform text transformations on a file
  61//config:       or input from a pipeline.
  62
  63//applet:IF_SED(APPLET(sed, BB_DIR_BIN, BB_SUID_DROP))
  64
  65//kbuild:lib-$(CONFIG_SED) += sed.o
  66
  67//usage:#define sed_trivial_usage
  68//usage:       "[-i[SFX]] [-nrE] [-f FILE]... [-e CMD]... [FILE]...\n"
  69//usage:       "or: sed [-i[SFX]] [-nrE] CMD [FILE]..."
  70//usage:#define sed_full_usage "\n\n"
  71//usage:       "        -e CMD  Add CMD to sed commands to be executed"
  72//usage:     "\n        -f FILE Add FILE contents to sed commands to be executed"
  73//usage:     "\n        -i[SFX] Edit files in-place (otherwise write to stdout)"
  74//usage:     "\n                Optionally back files up, appending SFX"
  75//usage:     "\n        -n      Suppress automatic printing of pattern space"
  76//usage:     "\n        -r,-E   Use extended regex syntax"
  77//usage:     "\n"
  78//usage:     "\nIf no -e or -f, the first non-option argument is the sed command string."
  79//usage:     "\nRemaining arguments are input files (stdin if none)."
  80//usage:
  81//usage:#define sed_example_usage
  82//usage:       "$ echo \"foo\" | sed -e 's/f[a-zA-Z]o/bar/g'\n"
  83//usage:       "bar\n"
  84
  85#include "libbb.h"
  86#include "common_bufsiz.h"
  87#include "xregex.h"
  88
  89#if 0
  90# define dbg(...) bb_error_msg(__VA_ARGS__)
  91#else
  92# define dbg(...) ((void)0)
  93#endif
  94
  95
  96enum {
  97        OPT_in_place = 1 << 0,
  98};
  99
 100/* Each sed command turns into one of these structures. */
 101typedef struct sed_cmd_s {
 102        /* Ordered by alignment requirements: currently 36 bytes on x86 */
 103        struct sed_cmd_s *next; /* Next command (linked list, NULL terminated) */
 104
 105        /* address storage */
 106        regex_t *beg_match;     /* sed -e '/match/cmd' */
 107        regex_t *end_match;     /* sed -e '/match/,/end_match/cmd' */
 108        regex_t *sub_match;     /* For 's/sub_match/string/' */
 109        int beg_line;           /* 'sed 1p'   0 == apply commands to all lines */
 110        int beg_line_orig;      /* copy of the above, needed for -i */
 111        int end_line;           /* 'sed 1,3p' 0 == one line only. -1 = last line ($). -2-N = +N */
 112        int end_line_orig;
 113
 114        FILE *sw_file;          /* File (sw) command writes to, NULL for none. */
 115        char *string;           /* Data string for (saicytb) commands. */
 116
 117        unsigned which_match;   /* (s) Which match to replace (0 for all) */
 118
 119        /* Bitfields (gcc won't group them if we don't) */
 120        unsigned invert:1;      /* the '!' after the address */
 121        unsigned in_match:1;    /* Next line also included in match? */
 122        unsigned sub_p:1;       /* (s) print option */
 123
 124        char sw_last_char;      /* Last line written by (sw) had no '\n' */
 125
 126        /* GENERAL FIELDS */
 127        char cmd;               /* The command char: abcdDgGhHilnNpPqrstwxy:={} */
 128} sed_cmd_t;
 129
 130static const char semicolon_whitespace[] ALIGN1 = "; \n\r\t\v";
 131
 132struct globals {
 133        /* options */
 134        int be_quiet, regex_type;
 135
 136        FILE *nonstdout;
 137        char *outname, *hold_space;
 138        smallint exitcode;
 139
 140        /* list of input files */
 141        int current_input_file, last_input_file;
 142        char **input_file_list;
 143        FILE *current_fp;
 144
 145        regmatch_t regmatch[10];
 146        regex_t *previous_regex_ptr;
 147
 148        /* linked list of sed commands */
 149        sed_cmd_t *sed_cmd_head, **sed_cmd_tail;
 150
 151        /* linked list of append lines */
 152        llist_t *append_head;
 153
 154        char *add_cmd_line;
 155
 156        struct pipeline {
 157                char *buf;  /* Space to hold string */
 158                int idx;    /* Space used */
 159                int len;    /* Space allocated */
 160        } pipeline;
 161} FIX_ALIASING;
 162#define G (*(struct globals*)bb_common_bufsiz1)
 163#define INIT_G() do { \
 164        setup_common_bufsiz(); \
 165        BUILD_BUG_ON(sizeof(G) > COMMON_BUFSIZE); \
 166        G.sed_cmd_tail = &G.sed_cmd_head; \
 167} while (0)
 168
 169
 170#if ENABLE_FEATURE_CLEAN_UP
 171static void sed_free_and_close_stuff(void)
 172{
 173        sed_cmd_t *sed_cmd = G.sed_cmd_head;
 174
 175        llist_free(G.append_head, free);
 176
 177        while (sed_cmd) {
 178                sed_cmd_t *sed_cmd_next = sed_cmd->next;
 179
 180                if (sed_cmd->sw_file)
 181                        fclose(sed_cmd->sw_file);
 182
 183                /* Used to free regexps, but now there is code
 184                 * in get_address() which can reuse a regexp
 185                 * for constructs as /regexp/cmd1;//cmd2
 186                 * leading to double-frees here:
 187                 */
 188                //if (sed_cmd->beg_match) {
 189                //      regfree(sed_cmd->beg_match);
 190                //      free(sed_cmd->beg_match);
 191                //}
 192                //if (sed_cmd->end_match) {
 193                //      regfree(sed_cmd->end_match);
 194                //      free(sed_cmd->end_match);
 195                //}
 196                //if (sed_cmd->sub_match) {
 197                //      regfree(sed_cmd->sub_match);
 198                //      free(sed_cmd->sub_match);
 199                //}
 200                free(sed_cmd->string);
 201                free(sed_cmd);
 202                sed_cmd = sed_cmd_next;
 203        }
 204
 205        free(G.hold_space);
 206
 207        if (G.current_fp)
 208                fclose(G.current_fp);
 209}
 210#else
 211void sed_free_and_close_stuff(void);
 212#endif
 213
 214/* If something bad happens during -i operation, delete temp file */
 215
 216static void cleanup_outname(void)
 217{
 218        if (G.outname) unlink(G.outname);
 219}
 220
 221/* strcpy, replacing "\from" with 'to'. If to is NUL, replacing "\any" with 'any' */
 222
 223static unsigned parse_escapes(char *dest, const char *string, int len, char from, char to)
 224{
 225        char *d = dest;
 226        int i = 0;
 227
 228        if (len == -1)
 229                len = strlen(string);
 230
 231        while (i < len) {
 232                if (string[i] == '\\') {
 233                        if (!to || string[i+1] == from) {
 234                                if ((*d = to ? to : string[i+1]) == '\0')
 235                                        return d - dest;
 236                                i += 2;
 237                                d++;
 238                                continue;
 239                        }
 240                        i++; /* skip backslash in string[] */
 241                        *d++ = '\\';
 242                        /* fall through: copy next char verbatim */
 243                }
 244                if ((*d = string[i++]) == '\0')
 245                        return d - dest;
 246                d++;
 247        }
 248        *d = '\0';
 249        return d - dest;
 250}
 251
 252static char *copy_parsing_escapes(const char *string, int len)
 253{
 254        const char *s;
 255        char *dest = xmalloc(len + 1);
 256
 257        /* sed recognizes \n */
 258        /* GNU sed also recognizes \t and \r */
 259        for (s = "\nn\tt\rr"; *s; s += 2) {
 260                len = parse_escapes(dest, string, len, s[1], s[0]);
 261                string = dest;
 262        }
 263        return dest;
 264}
 265
 266
 267/*
 268 * index_of_next_unescaped_regexp_delim - walks left to right through a string
 269 * beginning at a specified index and returns the index of the next regular
 270 * expression delimiter (typically a forward slash ('/')) not preceded by
 271 * a backslash ('\').  A negative delimiter disables square bracket checking.
 272 */
 273static int index_of_next_unescaped_regexp_delim(int delimiter, const char *str)
 274{
 275        int bracket = -1;
 276        int escaped = 0;
 277        int idx = 0;
 278        char ch;
 279
 280        if (delimiter < 0) {
 281                bracket--;
 282                delimiter = -delimiter;
 283        }
 284
 285        for (; (ch = str[idx]) != '\0'; idx++) {
 286                if (bracket >= 0) {
 287                        if (ch == ']'
 288                         && !(bracket == idx - 1 || (bracket == idx - 2 && str[idx - 1] == '^'))
 289                        ) {
 290                                bracket = -1;
 291                        }
 292                } else if (escaped)
 293                        escaped = 0;
 294                else if (ch == '\\')
 295                        escaped = 1;
 296                else if (bracket == -1 && ch == '[')
 297                        bracket = idx;
 298                else if (ch == delimiter)
 299                        return idx;
 300        }
 301
 302        /* if we make it to here, we've hit the end of the string */
 303        bb_error_msg_and_die("unmatched '%c'", delimiter);
 304}
 305
 306/*
 307 *  Returns the index of the third delimiter
 308 */
 309static int parse_regex_delim(const char *cmdstr, char **match, char **replace)
 310{
 311        const char *cmdstr_ptr = cmdstr;
 312        unsigned char delimiter;
 313        int idx = 0;
 314
 315        /* verify that the 's' or 'y' is followed by something.  That something
 316         * (typically a 'slash') is now our regexp delimiter... */
 317        if (*cmdstr == '\0')
 318                bb_simple_error_msg_and_die("bad format in substitution expression");
 319        delimiter = *cmdstr_ptr++;
 320
 321        /* save the match string */
 322        idx = index_of_next_unescaped_regexp_delim(delimiter, cmdstr_ptr);
 323        *match = copy_parsing_escapes(cmdstr_ptr, idx);
 324
 325        /* save the replacement string */
 326        cmdstr_ptr += idx + 1;
 327        idx = index_of_next_unescaped_regexp_delim(- (int)delimiter, cmdstr_ptr);
 328        *replace = copy_parsing_escapes(cmdstr_ptr, idx);
 329
 330        return ((cmdstr_ptr - cmdstr) + idx);
 331}
 332
 333/*
 334 * returns the index in the string just past where the address ends.
 335 */
 336static int get_address(const char *my_str, int *linenum, regex_t ** regex)
 337{
 338        const char *pos = my_str;
 339
 340        if (isdigit(*my_str)) {
 341                *linenum = strtol(my_str, (char**)&pos, 10);
 342                /* endstr shouldn't ever equal NULL */
 343        } else if (*my_str == '$') {
 344                *linenum = -1;
 345                pos++;
 346        } else if (*my_str == '/' || *my_str == '\\') {
 347                int next;
 348                char delimiter;
 349                char *temp;
 350
 351                delimiter = '/';
 352                if (*my_str == '\\')
 353                        delimiter = *++pos;
 354                next = index_of_next_unescaped_regexp_delim(delimiter, ++pos);
 355                if (next != 0) {
 356                        temp = copy_parsing_escapes(pos, next);
 357                        G.previous_regex_ptr = *regex = xzalloc(sizeof(regex_t));
 358                        xregcomp(*regex, temp, G.regex_type);
 359                        free(temp);
 360                } else {
 361                        *regex = G.previous_regex_ptr;
 362                        if (!G.previous_regex_ptr)
 363                                bb_simple_error_msg_and_die("no previous regexp");
 364                }
 365                /* Move position to next character after last delimiter */
 366                pos += (next+1);
 367        }
 368        return pos - my_str;
 369}
 370
 371/* Grab a filename.  Whitespace at start is skipped, then goes to EOL. */
 372static int parse_file_cmd(/*sed_cmd_t *sed_cmd,*/ const char *filecmdstr, char **retval)
 373{
 374        const char *start;
 375        const char *eol;
 376
 377        /* Skip whitespace, then grab filename to end of line */
 378        start = skip_whitespace(filecmdstr);
 379        eol = strchrnul(start, '\n');
 380        if (eol == start)
 381                bb_simple_error_msg_and_die("empty filename");
 382
 383        if (*eol) {
 384                /* If lines glued together, put backslash back. */
 385                *retval = xstrndup(start, eol-start + 1);
 386                (*retval)[eol-start] = '\\';
 387        } else {
 388                /* eol is NUL */
 389                *retval = xstrdup(start);
 390        }
 391
 392        return eol - filecmdstr;
 393}
 394
 395static int parse_subst_cmd(sed_cmd_t *sed_cmd, const char *substr)
 396{
 397        int cflags = G.regex_type;
 398        char *match;
 399        int idx;
 400
 401        /*
 402         * A substitution command should look something like this:
 403         *    s/match/replace/ #giIpw
 404         *    ||     |        |||
 405         *    mandatory       optional
 406         */
 407        idx = parse_regex_delim(substr, &match, &sed_cmd->string);
 408
 409        /* determine the number of back references in the match string */
 410        /* Note: we compute this here rather than in the do_subst_command()
 411         * function to save processor time, at the expense of a little more memory
 412         * (4 bits) per sed_cmd */
 413
 414        /* process the flags */
 415
 416        sed_cmd->which_match = 1;
 417        dbg("s flags:'%s'", substr + idx + 1);
 418        while (substr[++idx]) {
 419                dbg("s flag:'%c'", substr[idx]);
 420                /* Parse match number */
 421                if (isdigit(substr[idx])) {
 422                        if (match[0] != '^') {
 423                                /* Match 0 treated as all, multiple matches we take the last one. */
 424                                const char *pos = substr + idx;
 425/* FIXME: error check? */
 426                                sed_cmd->which_match = (unsigned)strtol(substr+idx, (char**) &pos, 10);
 427                                idx = pos - substr - 1;
 428                        }
 429                        continue;
 430                }
 431                /* Skip spaces */
 432                if (isspace(substr[idx]))
 433                        continue;
 434
 435                switch (substr[idx]) {
 436                /* Replace all occurrences */
 437                case 'g':
 438                        sed_cmd->which_match = 0;
 439                        break;
 440                /* Print pattern space */
 441                case 'p':
 442                        sed_cmd->sub_p = 1;
 443                        break;
 444                /* Write to file */
 445                case 'w':
 446                {
 447                        char *fname;
 448                        idx += parse_file_cmd(/*sed_cmd,*/ substr+idx+1, &fname);
 449                        sed_cmd->sw_file = xfopen_for_write(fname);
 450                        sed_cmd->sw_last_char = '\n';
 451                        free(fname);
 452                        break;
 453                }
 454                /* Ignore case (gnu extension) */
 455                case 'i':
 456                case 'I':
 457                        cflags |= REG_ICASE;
 458                        break;
 459                /* Comment */
 460                case '#':
 461                        // while (substr[++idx]) continue;
 462                        idx += strlen(substr + idx); // same
 463                        /* Fall through */
 464                /* End of command */
 465                case ';':
 466                case '}':
 467                        goto out;
 468                default:
 469                        dbg("s bad flags:'%s'", substr + idx);
 470                        bb_simple_error_msg_and_die("bad option in substitution expression");
 471                }
 472        }
 473 out:
 474        /* compile the match string into a regex */
 475        if (*match != '\0') {
 476                /* If match is empty, we use last regex used at runtime */
 477                sed_cmd->sub_match = xzalloc(sizeof(regex_t));
 478                dbg("xregcomp('%s',%x)", match, cflags);
 479                xregcomp(sed_cmd->sub_match, match, cflags);
 480                dbg("regcomp ok");
 481        }
 482        free(match);
 483
 484        return idx;
 485}
 486
 487/*
 488 *  Process the commands arguments
 489 */
 490static const char *parse_cmd_args(sed_cmd_t *sed_cmd, const char *cmdstr)
 491{
 492        static const char cmd_letters[] ALIGN1 = "saicrw:btTydDgGhHlnNpPqx={}";
 493        enum {
 494                IDX_s = 0,
 495                IDX_a,
 496                IDX_i,
 497                IDX_c,
 498                IDX_r,
 499                IDX_w,
 500                IDX_colon,
 501                IDX_b,
 502                IDX_t,
 503                IDX_T,
 504                IDX_y,
 505                IDX_d,
 506                IDX_D,
 507                IDX_g,
 508                IDX_G,
 509                IDX_h,
 510                IDX_H,
 511                IDX_l,
 512                IDX_n,
 513                IDX_N,
 514                IDX_p,
 515                IDX_P,
 516                IDX_q,
 517                IDX_x,
 518                IDX_equal,
 519                IDX_lbrace,
 520                IDX_rbrace,
 521                IDX_nul
 522        };
 523        unsigned idx;
 524
 525        BUILD_BUG_ON(sizeof(cmd_letters)-1 != IDX_nul);
 526
 527        idx = strchrnul(cmd_letters, sed_cmd->cmd) - cmd_letters;
 528
 529        /* handle (s)ubstitution command */
 530        if (idx == IDX_s) {
 531                cmdstr += parse_subst_cmd(sed_cmd, cmdstr);
 532        }
 533        /* handle edit cmds: (a)ppend, (i)nsert, and (c)hange */
 534        else if (idx <= IDX_c) { /* a,i,c */
 535                unsigned len;
 536
 537                if (idx < IDX_c) { /* a,i */
 538                        if (sed_cmd->end_line || sed_cmd->end_match)
 539                                bb_error_msg_and_die("command '%c' uses only one address", sed_cmd->cmd);
 540                }
 541                for (;;) {
 542                        if (*cmdstr == '\n' || *cmdstr == '\\') {
 543                                cmdstr++;
 544                                break;
 545                        }
 546                        if (!isspace(*cmdstr))
 547                                break;
 548                        cmdstr++;
 549                }
 550                len = strlen(cmdstr);
 551                sed_cmd->string = copy_parsing_escapes(cmdstr, len);
 552                cmdstr += len;
 553                /* "\anychar" -> "anychar" */
 554                parse_escapes(sed_cmd->string, sed_cmd->string, -1, '\0', '\0');
 555        }
 556        /* handle file cmds: (r)ead */
 557        else if (idx <= IDX_w) { /* r,w */
 558                if (idx < IDX_w) { /* r */
 559                        if (sed_cmd->end_line || sed_cmd->end_match)
 560                                bb_error_msg_and_die("command '%c' uses only one address", sed_cmd->cmd);
 561                }
 562                cmdstr += parse_file_cmd(/*sed_cmd,*/ cmdstr, &sed_cmd->string);
 563                if (sed_cmd->cmd == 'w') {
 564                        sed_cmd->sw_file = xfopen_for_write(sed_cmd->string);
 565                        sed_cmd->sw_last_char = '\n';
 566                }
 567        }
 568        /* handle branch commands */
 569        else if (idx <= IDX_T) { /* :,b,t,T */
 570                int length;
 571
 572                cmdstr = skip_whitespace(cmdstr);
 573                length = strcspn(cmdstr, semicolon_whitespace);
 574                if (length) {
 575                        sed_cmd->string = xstrndup(cmdstr, length);
 576                        cmdstr += length;
 577                }
 578        }
 579        /* translation command */
 580        else if (idx == IDX_y) {
 581                char *match, *replace;
 582                int i = cmdstr[0];
 583
 584                cmdstr += parse_regex_delim(cmdstr, &match, &replace)+1;
 585                /* \n already parsed, but \delimiter needs unescaping. */
 586                parse_escapes(match,   match,   -1, i, i);
 587                parse_escapes(replace, replace, -1, i, i);
 588
 589                sed_cmd->string = xzalloc((strlen(match) + 1) * 2);
 590                for (i = 0; match[i] && replace[i]; i++) {
 591                        sed_cmd->string[i*2] = match[i];
 592                        sed_cmd->string[i*2+1] = replace[i];
 593                }
 594                free(match);
 595                free(replace);
 596        }
 597        /* if it wasn't a single-letter command that takes no arguments
 598         * then it must be an invalid command.
 599         */
 600        else if (idx >= IDX_nul) { /* not d,D,g,G,h,H,l,n,N,p,P,q,x,=,{,} */
 601                bb_error_msg_and_die("unsupported command %c", sed_cmd->cmd);
 602        }
 603
 604        /* give back whatever's left over */
 605        return cmdstr;
 606}
 607
 608
 609/* Parse address+command sets, skipping comment lines. */
 610
 611static void add_cmd(const char *cmdstr)
 612{
 613        sed_cmd_t *sed_cmd;
 614        unsigned len, n;
 615
 616        /* Append this line to any unfinished line from last time. */
 617        if (G.add_cmd_line) {
 618                char *tp = xasprintf("%s\n%s", G.add_cmd_line, cmdstr);
 619                free(G.add_cmd_line);
 620                cmdstr = G.add_cmd_line = tp;
 621        }
 622
 623        /* If this line ends with unescaped backslash, request next line. */
 624        n = len = strlen(cmdstr);
 625        while (n && cmdstr[n-1] == '\\')
 626                n--;
 627        if ((len - n) & 1) { /* if odd number of trailing backslashes */
 628                if (!G.add_cmd_line)
 629                        G.add_cmd_line = xstrdup(cmdstr);
 630                G.add_cmd_line[len-1] = '\0';
 631                return;
 632        }
 633
 634        /* Loop parsing all commands in this line. */
 635        while (*cmdstr) {
 636                /* Skip leading whitespace and semicolons */
 637                cmdstr += strspn(cmdstr, semicolon_whitespace);
 638
 639                /* If no more commands, exit. */
 640                if (!*cmdstr) break;
 641
 642                /* if this is a comment, jump past it and keep going */
 643                if (*cmdstr == '#') {
 644                        /* "#n" is the same as using -n on the command line */
 645                        if (cmdstr[1] == 'n')
 646                                G.be_quiet++;
 647                        cmdstr = strpbrk(cmdstr, "\n\r");
 648                        if (!cmdstr) break;
 649                        continue;
 650                }
 651
 652                /* parse the command
 653                 * format is: [addr][,addr][!]cmd
 654                 *            |----||-----||-|
 655                 *            part1 part2  part3
 656                 */
 657
 658                sed_cmd = xzalloc(sizeof(sed_cmd_t));
 659
 660                /* first part (if present) is an address: either a '$', a number or a /regex/ */
 661                cmdstr += get_address(cmdstr, &sed_cmd->beg_line, &sed_cmd->beg_match);
 662                sed_cmd->beg_line_orig = sed_cmd->beg_line;
 663
 664                /* second part (if present) will begin with a comma */
 665                if (*cmdstr == ',') {
 666                        int idx;
 667
 668                        cmdstr++;
 669                        if (*cmdstr == '+' && isdigit(cmdstr[1])) {
 670                                /* http://sed.sourceforge.net/sedfaq3.html#s3.3
 671                                 * Under GNU sed 3.02+, ssed, and sed15+, <address2>
 672                                 * may also be a notation of the form +num,
 673                                 * indicating the next num lines after <address1> is
 674                                 * matched.
 675                                 * GNU sed 4.2.1 accepts even "+" (meaning "+0").
 676                                 * We don't (we check for isdigit, see above), think
 677                                 * about the "+-3" case.
 678                                 */
 679                                char *end;
 680                                /* code is smaller compared to using &cmdstr here: */
 681                                idx = strtol(cmdstr+1, &end, 10);
 682                                sed_cmd->end_line = -2 - idx;
 683                                cmdstr = end;
 684                        } else {
 685                                idx = get_address(cmdstr, &sed_cmd->end_line, &sed_cmd->end_match);
 686                                cmdstr += idx;
 687                                idx--; /* if 0, trigger error check below */
 688                        }
 689                        if (idx < 0)
 690                                bb_simple_error_msg_and_die("no address after comma");
 691                        sed_cmd->end_line_orig = sed_cmd->end_line;
 692                }
 693
 694                /* skip whitespace before the command */
 695                cmdstr = skip_whitespace(cmdstr);
 696
 697                /* Check for inversion flag */
 698                if (*cmdstr == '!') {
 699                        sed_cmd->invert = 1;
 700                        cmdstr++;
 701
 702                        /* skip whitespace before the command */
 703                        cmdstr = skip_whitespace(cmdstr);
 704                }
 705
 706                /* last part (mandatory) will be a command */
 707                if (!*cmdstr)
 708                        bb_simple_error_msg_and_die("missing command");
 709                sed_cmd->cmd = *cmdstr++;
 710                cmdstr = parse_cmd_args(sed_cmd, cmdstr);
 711
 712                /* cmdstr now points past args.
 713                 * GNU sed requires a separator, if there are more commands,
 714                 * else it complains "char N: extra characters after command".
 715                 * Example: "sed 'p;d'". We also allow "sed 'pd'".
 716                 */
 717
 718                /* Add the command to the command array */
 719                *G.sed_cmd_tail = sed_cmd;
 720                G.sed_cmd_tail = &sed_cmd->next;
 721        }
 722
 723        /* If we glued multiple lines together, free the memory. */
 724        free(G.add_cmd_line);
 725        G.add_cmd_line = NULL;
 726}
 727
 728/* Append to a string, reallocating memory as necessary. */
 729
 730#define PIPE_GROW 64
 731
 732static void pipe_putc(char c)
 733{
 734        if (G.pipeline.idx == G.pipeline.len) {
 735                G.pipeline.buf = xrealloc(G.pipeline.buf,
 736                                G.pipeline.len + PIPE_GROW);
 737                G.pipeline.len += PIPE_GROW;
 738        }
 739        G.pipeline.buf[G.pipeline.idx++] = c;
 740}
 741
 742static void do_subst_w_backrefs(char *line, char *replace)
 743{
 744        int i, j;
 745
 746        /* go through the replacement string */
 747        for (i = 0; replace[i]; i++) {
 748                /* if we find a backreference (\1, \2, etc.) print the backref'ed text */
 749                if (replace[i] == '\\') {
 750                        unsigned backref = replace[++i] - '0';
 751                        if (backref <= 9) {
 752                                /* print out the text held in G.regmatch[backref] */
 753                                if (G.regmatch[backref].rm_so != -1) {
 754                                        j = G.regmatch[backref].rm_so;
 755                                        while (j < G.regmatch[backref].rm_eo)
 756                                                pipe_putc(line[j++]);
 757                                }
 758                                continue;
 759                        }
 760                        /* I _think_ it is impossible to get '\' to be
 761                         * the last char in replace string. Thus we don't check
 762                         * for replace[i] == NUL. (counterexample anyone?) */
 763                        /* if we find a backslash escaped character, print the character */
 764                        pipe_putc(replace[i]);
 765                        continue;
 766                }
 767                /* if we find an unescaped '&' print out the whole matched text. */
 768                if (replace[i] == '&') {
 769                        j = G.regmatch[0].rm_so;
 770                        while (j < G.regmatch[0].rm_eo)
 771                                pipe_putc(line[j++]);
 772                        continue;
 773                }
 774                /* Otherwise just output the character. */
 775                pipe_putc(replace[i]);
 776        }
 777}
 778
 779static int do_subst_command(sed_cmd_t *sed_cmd, char **line_p)
 780{
 781        char *line = *line_p;
 782        unsigned match_count = 0;
 783        bool altered = 0;
 784        bool prev_match_empty = 1;
 785        bool tried_at_eol = 0;
 786        regex_t *current_regex;
 787
 788        current_regex = sed_cmd->sub_match;
 789        /* Handle empty regex. */
 790        if (!current_regex) {
 791                current_regex = G.previous_regex_ptr;
 792                if (!current_regex)
 793                        bb_simple_error_msg_and_die("no previous regexp");
 794        }
 795        G.previous_regex_ptr = current_regex;
 796
 797        /* Find the first match */
 798        dbg("matching '%s'", line);
 799        if (REG_NOMATCH == regexec(current_regex, line, 10, G.regmatch, 0)) {
 800                dbg("no match");
 801                return 0;
 802        }
 803        dbg("match");
 804
 805        /* Initialize temporary output buffer. */
 806        G.pipeline.buf = xmalloc(PIPE_GROW);
 807        G.pipeline.len = PIPE_GROW;
 808        G.pipeline.idx = 0;
 809
 810        /* Now loop through, substituting for matches */
 811        do {
 812                int start = G.regmatch[0].rm_so;
 813                int end = G.regmatch[0].rm_eo;
 814                int i;
 815
 816                match_count++;
 817
 818                /* If we aren't interested in this match, output old line to
 819                 * end of match and continue */
 820                if (sed_cmd->which_match
 821                 && (sed_cmd->which_match != match_count)
 822                ) {
 823                        for (i = 0; i < end; i++)
 824                                pipe_putc(*line++);
 825                        /* Null match? Print one more char */
 826                        if (start == end && *line)
 827                                pipe_putc(*line++);
 828                        goto next;
 829                }
 830
 831                /* Print everything before the match */
 832                for (i = 0; i < start; i++)
 833                        pipe_putc(line[i]);
 834
 835                /* Then print the substitution string,
 836                 * unless we just matched empty string after non-empty one.
 837                 * Example: string "cccd", pattern "c*", repl "R":
 838                 * result is "RdR", not "RRdR": first match "ccc",
 839                 * second is "" before "d", third is "" after "d".
 840                 * Second match is NOT replaced!
 841                 */
 842                if (prev_match_empty || start != 0 || start != end) {
 843                        //dbg("%d %d %d", prev_match_empty, start, end);
 844                        dbg("inserting replacement at %d in '%s'", start, line);
 845                        do_subst_w_backrefs(line, sed_cmd->string);
 846                        /* Flag that something has changed */
 847                        altered = 1;
 848                } else {
 849                        dbg("NOT inserting replacement at %d in '%s'", start, line);
 850                }
 851
 852                /* If matched string is empty (f.e. "c*" pattern),
 853                 * copy verbatim one char after it before attempting more matches
 854                 */
 855                prev_match_empty = (start == end);
 856                if (prev_match_empty) {
 857                        if (!line[end]) {
 858                                tried_at_eol = 1;
 859                        } else {
 860                                pipe_putc(line[end]);
 861                                end++;
 862                        }
 863                }
 864
 865                /* Advance past the match */
 866                dbg("line += %d", end);
 867                line += end;
 868
 869                /* if we're not doing this globally, get out now */
 870                if (sed_cmd->which_match != 0)
 871                        break;
 872 next:
 873                /* Exit if we are at EOL and already tried matching at it */
 874                if (*line == '\0') {
 875                        if (tried_at_eol)
 876                                break;
 877                        tried_at_eol = 1;
 878                }
 879
 880//maybe (end ? REG_NOTBOL : 0) instead of unconditional REG_NOTBOL?
 881        } while (regexec(current_regex, line, 10, G.regmatch, REG_NOTBOL) != REG_NOMATCH);
 882
 883        /* Copy rest of string into output pipeline */
 884        while (1) {
 885                char c = *line++;
 886                pipe_putc(c);
 887                if (c == '\0')
 888                        break;
 889        }
 890
 891        free(*line_p);
 892        *line_p = G.pipeline.buf;
 893        return altered;
 894}
 895
 896/* Set command pointer to point to this label.  (Does not handle null label.) */
 897static sed_cmd_t *branch_to(char *label)
 898{
 899        sed_cmd_t *sed_cmd;
 900
 901        for (sed_cmd = G.sed_cmd_head; sed_cmd; sed_cmd = sed_cmd->next) {
 902                if (sed_cmd->cmd == ':'
 903                 && sed_cmd->string
 904                 && strcmp(sed_cmd->string, label) == 0
 905                ) {
 906                        return sed_cmd;
 907                }
 908        }
 909        bb_error_msg_and_die("can't find label for jump to '%s'", label);
 910}
 911
 912static void append(char *s)
 913{
 914        llist_add_to_end(&G.append_head, s);
 915}
 916
 917/* Output line of text. */
 918/* Note:
 919 * The tricks with NO_EOL_CHAR and last_puts_char are there to emulate gnu sed.
 920 * Without them, we had this:
 921 * echo -n thingy >z1
 922 * echo -n again >z2
 923 * >znull
 924 * sed "s/i/z/" z1 z2 znull | hexdump -vC
 925 * output:
 926 * gnu sed 4.1.5:
 927 * 00000000  74 68 7a 6e 67 79 0a 61  67 61 7a 6e              |thzngy.agazn|
 928 * bbox:
 929 * 00000000  74 68 7a 6e 67 79 61 67  61 7a 6e                 |thzngyagazn|
 930 */
 931enum {
 932        NO_EOL_CHAR = 1,
 933        LAST_IS_NUL = 2,
 934};
 935static void puts_maybe_newline(char *s, FILE *file, char *last_puts_char, char last_gets_char)
 936{
 937        char lpc = *last_puts_char;
 938
 939        /* Need to insert a '\n' between two files because first file's
 940         * last line wasn't terminated? */
 941        if (lpc != '\n' && lpc != '\0') {
 942                fputc('\n', file);
 943                lpc = '\n';
 944        }
 945        fputs(s, file);
 946
 947        /* 'x' - just something which is not '\n', '\0' or NO_EOL_CHAR */
 948        if (s[0])
 949                lpc = 'x';
 950
 951        /* had trailing '\0' and it was last char of file? */
 952        if (last_gets_char == LAST_IS_NUL) {
 953                fputc('\0', file);
 954                lpc = 'x'; /* */
 955        } else
 956        /* had trailing '\n' or '\0'? */
 957        if (last_gets_char != NO_EOL_CHAR) {
 958                fputc(last_gets_char, file);
 959                lpc = last_gets_char;
 960        }
 961
 962        if (ferror(file)) {
 963                xfunc_error_retval = 4;  /* It's what gnu sed exits with... */
 964                bb_simple_error_msg_and_die(bb_msg_write_error);
 965        }
 966        *last_puts_char = lpc;
 967}
 968
 969static void flush_append(char *last_puts_char)
 970{
 971        char *data;
 972
 973        /* Output appended lines. */
 974        while ((data = (char *)llist_pop(&G.append_head)) != NULL) {
 975                /* Append command does not respect "nonterminated-ness"
 976                 * of last line. Try this:
 977                 * $ echo -n "woot" | sed -e '/woot/a woo' -
 978                 * woot
 979                 * woo
 980                 * (both lines are terminated with \n)
 981                 * Therefore we do not propagate "last_gets_char" here,
 982                 * pass '\n' instead:
 983                 */
 984                puts_maybe_newline(data, G.nonstdout, last_puts_char, '\n');
 985                free(data);
 986        }
 987}
 988
 989/* Get next line of input from G.input_file_list, flushing append buffer and
 990 * noting if we ran out of files without a newline on the last line we read.
 991 */
 992static char *get_next_line(char *gets_char, char *last_puts_char)
 993{
 994        char *temp = NULL;
 995        size_t len;
 996        char gc;
 997
 998        flush_append(last_puts_char);
 999
1000        /* will be returned if last line in the file
1001         * doesn't end with either '\n' or '\0' */
1002        gc = NO_EOL_CHAR;
1003        for (; G.current_input_file <= G.last_input_file; G.current_input_file++) {
1004                FILE *fp = G.current_fp;
1005                if (!fp) {
1006                        const char *path = G.input_file_list[G.current_input_file];
1007                        fp = stdin;
1008                        if (path != bb_msg_standard_input) {
1009                                fp = fopen_or_warn(path, "r");
1010                                if (!fp) {
1011                                        G.exitcode = EXIT_FAILURE;
1012                                        continue;
1013                                }
1014                        }
1015                        G.current_fp = fp;
1016                }
1017                /* Read line up to a newline or NUL byte, inclusive,
1018                 * return malloc'ed char[]. length of the chunk read
1019                 * is stored in len. NULL if EOF/error */
1020                temp = bb_get_chunk_from_file(fp, &len);
1021                if (temp) {
1022                        /* len > 0 here, it's ok to do temp[len-1] */
1023                        char c = temp[len-1];
1024                        if (c == '\n' || c == '\0') {
1025                                temp[len-1] = '\0';
1026                                gc = c;
1027                                if (c == '\0') {
1028                                        int ch = fgetc(fp);
1029                                        if (ch != EOF)
1030                                                ungetc(ch, fp);
1031                                        else
1032                                                gc = LAST_IS_NUL;
1033                                }
1034                        }
1035                        /* else we put NO_EOL_CHAR into *gets_char */
1036                        break;
1037
1038                /* NB: I had the idea of peeking next file(s) and returning
1039                 * NO_EOL_CHAR only if it is the *last* non-empty
1040                 * input file. But there is a case where this won't work:
1041                 * file1: "a woo\nb woo"
1042                 * file2: "c no\nd no"
1043                 * sed -ne 's/woo/bang/p' input1 input2 => "a bang\nb bang"
1044                 * (note: *no* newline after "b bang"!) */
1045                }
1046                /* Close this file and advance to next one */
1047                fclose_if_not_stdin(fp);
1048                G.current_fp = NULL;
1049        }
1050        *gets_char = gc;
1051        return temp;
1052}
1053
1054#define sed_puts(s, n) (puts_maybe_newline(s, G.nonstdout, &last_puts_char, n))
1055
1056static int beg_match(sed_cmd_t *sed_cmd, const char *pattern_space)
1057{
1058        int retval = sed_cmd->beg_match && !regexec(sed_cmd->beg_match, pattern_space, 0, NULL, 0);
1059        if (retval)
1060                G.previous_regex_ptr = sed_cmd->beg_match;
1061        return retval;
1062}
1063
1064/* Process all the lines in all the files */
1065
1066static void process_files(void)
1067{
1068        char *pattern_space, *next_line;
1069        int linenum = 0;
1070        char last_puts_char = '\n';
1071        char last_gets_char, next_gets_char;
1072        sed_cmd_t *sed_cmd;
1073        int substituted;
1074
1075        /* Prime the pump */
1076        next_line = get_next_line(&next_gets_char, &last_puts_char);
1077
1078        /* Go through every line in each file */
1079 again:
1080        substituted = 0;
1081
1082        /* Advance to next line.  Stop if out of lines. */
1083        pattern_space = next_line;
1084        if (!pattern_space)
1085                return;
1086        last_gets_char = next_gets_char;
1087
1088        /* Read one line in advance so we can act on the last line,
1089         * the '$' address */
1090        next_line = get_next_line(&next_gets_char, &last_puts_char);
1091        linenum++;
1092
1093        /* For every line, go through all the commands */
1094 restart:
1095        for (sed_cmd = G.sed_cmd_head; sed_cmd; sed_cmd = sed_cmd->next) {
1096                int old_matched, matched;
1097
1098                old_matched = sed_cmd->in_match;
1099                if (!old_matched)
1100                        sed_cmd->end_line = sed_cmd->end_line_orig;
1101
1102                /* Determine if this command matches this line: */
1103
1104                dbg("match1:%d", sed_cmd->in_match);
1105                dbg("match2:%d", (!sed_cmd->beg_line && !sed_cmd->end_line
1106                                && !sed_cmd->beg_match && !sed_cmd->end_match));
1107                dbg("match3:%d", (sed_cmd->beg_line > 0
1108                        && (sed_cmd->end_line || sed_cmd->end_match
1109                            ? (sed_cmd->beg_line <= linenum)
1110                            : (sed_cmd->beg_line == linenum)
1111                            )
1112                        ));
1113                dbg("match4:%d", (beg_match(sed_cmd, pattern_space)));
1114                dbg("match5:%d", (sed_cmd->beg_line == -1 && next_line == NULL));
1115
1116                /* Are we continuing a previous multi-line match? */
1117                sed_cmd->in_match = sed_cmd->in_match
1118                        /* Or is no range necessary? */
1119                        || (!sed_cmd->beg_line && !sed_cmd->end_line
1120                                && !sed_cmd->beg_match && !sed_cmd->end_match)
1121                        /* Or did we match the start of a numerical range? */
1122                        || (sed_cmd->beg_line > 0
1123                            && (sed_cmd->end_line || sed_cmd->end_match
1124                                  /* note: even if end is numeric and is < linenum too,
1125                                   * GNU sed matches! We match too, therefore we don't
1126                                   * check here that linenum <= end.
1127                                   * Example:
1128                                   * printf '1\n2\n3\n4\n' | sed -n '1{N;N;d};1p;2,3p;3p;4p'
1129                                   * first three input lines are deleted;
1130                                   * 4th line is matched and printed
1131                                   * by "2,3" (!) and by "4" ranges
1132                                   */
1133                                ? (sed_cmd->beg_line <= linenum)    /* N,end */
1134                                : (sed_cmd->beg_line == linenum)    /* N */
1135                                )
1136                            )
1137                        /* Or does this line match our begin address regex? */
1138                        || (beg_match(sed_cmd, pattern_space))
1139                        /* Or did we match last line of input? */
1140                        || (sed_cmd->beg_line == -1 && next_line == NULL);
1141
1142                /* Snapshot the value */
1143                matched = sed_cmd->in_match;
1144
1145                dbg("cmd:'%c' matched:%d beg_line:%d end_line:%d linenum:%d",
1146                        sed_cmd->cmd, matched, sed_cmd->beg_line, sed_cmd->end_line, linenum);
1147
1148                /* Is this line the end of the current match? */
1149
1150                if (matched) {
1151                        if (sed_cmd->end_line <= -2) {
1152                                /* address2 is +N, i.e. N lines from beg_line */
1153                                sed_cmd->end_line = linenum + (-sed_cmd->end_line - 2);
1154                        }
1155                        /* once matched, "n,xxx" range is dead, disabling it */
1156                        if (sed_cmd->beg_line > 0) {
1157                                sed_cmd->beg_line = -2;
1158                        }
1159                        dbg("end1:%d", sed_cmd->end_line ? sed_cmd->end_line == -1
1160                                                ? !next_line : (sed_cmd->end_line <= linenum)
1161                                        : !sed_cmd->end_match);
1162                        dbg("end2:%d", sed_cmd->end_match && old_matched
1163                                        && !regexec(sed_cmd->end_match,pattern_space, 0, NULL, 0));
1164                        sed_cmd->in_match = !(
1165                                /* has the ending line come, or is this a single address command? */
1166                                (sed_cmd->end_line
1167                                        ? sed_cmd->end_line == -1
1168                                                ? !next_line
1169                                                : (sed_cmd->end_line <= linenum)
1170                                        : !sed_cmd->end_match
1171                                )
1172                                /* or does this line matches our last address regex */
1173                                || (sed_cmd->end_match && old_matched
1174                                     && (regexec(sed_cmd->end_match,
1175                                                pattern_space, 0, NULL, 0) == 0)
1176                                )
1177                        );
1178                }
1179
1180                /* Skip blocks of commands we didn't match */
1181                if (sed_cmd->cmd == '{') {
1182                        if (sed_cmd->invert ? matched : !matched) {
1183                                unsigned nest_cnt = 0;
1184                                while (1) {
1185                                        if (sed_cmd->cmd == '{')
1186                                                nest_cnt++;
1187                                        if (sed_cmd->cmd == '}') {
1188                                                nest_cnt--;
1189                                                if (nest_cnt == 0)
1190                                                        break;
1191                                        }
1192                                        sed_cmd = sed_cmd->next;
1193                                        if (!sed_cmd)
1194                                                bb_simple_error_msg_and_die("unterminated {");
1195                                }
1196                        }
1197                        continue;
1198                }
1199
1200                /* Okay, so did this line match? */
1201                if (sed_cmd->invert ? matched : !matched)
1202                        continue; /* no */
1203
1204                /* Update last used regex in case a blank substitute BRE is found */
1205                if (sed_cmd->beg_match) {
1206                        G.previous_regex_ptr = sed_cmd->beg_match;
1207                }
1208
1209                /* actual sedding */
1210                dbg("pattern_space:'%s' next_line:'%s' cmd:%c",
1211                                pattern_space, next_line, sed_cmd->cmd);
1212                switch (sed_cmd->cmd) {
1213
1214                /* Print line number */
1215                case '=':
1216                        fprintf(G.nonstdout, "%d\n", linenum);
1217                        break;
1218
1219                /* Write the current pattern space up to the first newline */
1220                case 'P':
1221                {
1222                        char *tmp = strchr(pattern_space, '\n');
1223                        if (tmp) {
1224                                *tmp = '\0';
1225                                /* TODO: explain why '\n' below */
1226                                sed_puts(pattern_space, '\n');
1227                                *tmp = '\n';
1228                                break;
1229                        }
1230                        /* Fall Through */
1231                }
1232
1233                /* Write the current pattern space to output */
1234                case 'p':
1235                        /* NB: we print this _before_ the last line
1236                         * (of current file) is printed. Even if
1237                         * that line is nonterminated, we print
1238                         * '\n' here (gnu sed does the same) */
1239                        sed_puts(pattern_space, '\n');
1240                        break;
1241                /* Delete up through first newline */
1242                case 'D':
1243                {
1244                        char *tmp = strchr(pattern_space, '\n');
1245                        if (tmp) {
1246                                overlapping_strcpy(pattern_space, tmp + 1);
1247                                goto restart;
1248                        }
1249                }
1250                /* discard this line. */
1251                case 'd':
1252                        goto discard_line;
1253
1254                /* Substitute with regex */
1255                case 's':
1256                        if (!do_subst_command(sed_cmd, &pattern_space))
1257                                break;
1258                        dbg("do_subst_command succeeded:'%s'", pattern_space);
1259                        substituted |= 1;
1260
1261                        /* handle p option */
1262                        if (sed_cmd->sub_p)
1263                                sed_puts(pattern_space, last_gets_char);
1264                        /* handle w option */
1265                        if (sed_cmd->sw_file)
1266                                puts_maybe_newline(
1267                                        pattern_space, sed_cmd->sw_file,
1268                                        &sed_cmd->sw_last_char, last_gets_char);
1269                        break;
1270
1271                /* Append line to linked list to be printed later */
1272                case 'a':
1273                        append(xstrdup(sed_cmd->string));
1274                        break;
1275
1276                /* Insert text before this line */
1277                case 'i':
1278                        sed_puts(sed_cmd->string, '\n');
1279                        break;
1280
1281                /* Cut and paste text (replace) */
1282                case 'c':
1283                        /* Only triggers on last line of a matching range. */
1284                        if (!sed_cmd->in_match)
1285                                sed_puts(sed_cmd->string, '\n');
1286                        goto discard_line;
1287
1288                /* Read file, append contents to output */
1289                case 'r':
1290                {
1291                        FILE *rfile;
1292                        rfile = fopen_for_read(sed_cmd->string);
1293                        if (rfile) {
1294                                char *line;
1295                                while ((line = xmalloc_fgetline(rfile))
1296                                                != NULL)
1297                                        append(line);
1298                                fclose(rfile);
1299                        }
1300
1301                        break;
1302                }
1303
1304                /* Write pattern space to file. */
1305                case 'w':
1306                        puts_maybe_newline(
1307                                pattern_space, sed_cmd->sw_file,
1308                                &sed_cmd->sw_last_char, last_gets_char);
1309                        break;
1310
1311                /* Read next line from input */
1312                case 'n':
1313                        if (!G.be_quiet)
1314                                sed_puts(pattern_space, last_gets_char);
1315                        if (next_line == NULL) {
1316                                /* If no next line, jump to end of script and exit. */
1317                                goto discard_line;
1318                        }
1319                        free(pattern_space);
1320                        pattern_space = next_line;
1321                        last_gets_char = next_gets_char;
1322                        next_line = get_next_line(&next_gets_char, &last_puts_char);
1323                        substituted = 0;
1324                        linenum++;
1325                        break;
1326
1327                /* Quit.  End of script, end of input. */
1328                case 'q':
1329                        /* Exit the outer while loop */
1330                        free(next_line);
1331                        next_line = NULL;
1332                        goto discard_commands;
1333
1334                /* Append the next line to the current line */
1335                case 'N':
1336                {
1337                        int len;
1338                        /* If no next line, jump to end of script and exit. */
1339                        /* http://www.gnu.org/software/sed/manual/sed.html:
1340                         * "Most versions of sed exit without printing anything
1341                         * when the N command is issued on the last line of
1342                         * a file. GNU sed prints pattern space before exiting
1343                         * unless of course the -n command switch has been
1344                         * specified. This choice is by design."
1345                         */
1346                        if (next_line == NULL) {
1347                                //goto discard_line;
1348                                goto discard_commands; /* GNU behavior */
1349                        }
1350                        /* Append next_line, read new next_line. */
1351                        len = strlen(pattern_space);
1352                        pattern_space = xrealloc(pattern_space, len + strlen(next_line) + 2);
1353                        pattern_space[len] = '\n';
1354                        strcpy(pattern_space + len+1, next_line);
1355                        last_gets_char = next_gets_char;
1356                        next_line = get_next_line(&next_gets_char, &last_puts_char);
1357                        linenum++;
1358                        break;
1359                }
1360
1361                /* Test/branch if substitution occurred */
1362                case 't':
1363                        if (!substituted) break;
1364                        substituted = 0;
1365                        /* Fall through */
1366                /* Test/branch if substitution didn't occur */
1367                case 'T':
1368                        if (substituted) break;
1369                        /* Fall through */
1370                /* Branch to label */
1371                case 'b':
1372                        if (!sed_cmd->string) goto discard_commands;
1373                        else sed_cmd = branch_to(sed_cmd->string);
1374                        break;
1375                /* Transliterate characters */
1376                case 'y':
1377                {
1378                        int i, j;
1379                        for (i = 0; pattern_space[i]; i++) {
1380                                for (j = 0; sed_cmd->string[j]; j += 2) {
1381                                        if (pattern_space[i] == sed_cmd->string[j]) {
1382                                                pattern_space[i] = sed_cmd->string[j + 1];
1383                                                break;
1384                                        }
1385                                }
1386                        }
1387
1388                        break;
1389                }
1390                case 'g':       /* Replace pattern space with hold space */
1391                        free(pattern_space);
1392                        pattern_space = xstrdup(G.hold_space ? G.hold_space : "");
1393                        break;
1394                case 'G':       /* Append newline and hold space to pattern space */
1395                {
1396                        int pattern_space_size = 2;
1397                        int hold_space_size = 0;
1398
1399                        if (pattern_space)
1400                                pattern_space_size += strlen(pattern_space);
1401                        if (G.hold_space)
1402                                hold_space_size = strlen(G.hold_space);
1403                        pattern_space = xrealloc(pattern_space,
1404                                        pattern_space_size + hold_space_size);
1405                        if (pattern_space_size == 2)
1406                                pattern_space[0] = 0;
1407                        strcat(pattern_space, "\n");
1408                        if (G.hold_space)
1409                                strcat(pattern_space, G.hold_space);
1410                        last_gets_char = '\n';
1411
1412                        break;
1413                }
1414                case 'h':       /* Replace hold space with pattern space */
1415                        free(G.hold_space);
1416                        G.hold_space = xstrdup(pattern_space);
1417                        break;
1418                case 'H':       /* Append newline and pattern space to hold space */
1419                {
1420                        int hold_space_size = 2;
1421                        int pattern_space_size = 0;
1422
1423                        if (G.hold_space)
1424                                hold_space_size += strlen(G.hold_space);
1425                        if (pattern_space)
1426                                pattern_space_size = strlen(pattern_space);
1427                        G.hold_space = xrealloc(G.hold_space,
1428                                        hold_space_size + pattern_space_size);
1429
1430                        if (hold_space_size == 2)
1431                                *G.hold_space = 0;
1432                        strcat(G.hold_space, "\n");
1433                        if (pattern_space)
1434                                strcat(G.hold_space, pattern_space);
1435
1436                        break;
1437                }
1438                case 'x': /* Exchange hold and pattern space */
1439                {
1440                        char *tmp = pattern_space;
1441                        pattern_space = G.hold_space ? G.hold_space : xzalloc(1);
1442                        last_gets_char = '\n';
1443                        G.hold_space = tmp;
1444                        break;
1445                }
1446                } /* switch */
1447        } /* for each cmd */
1448
1449        /*
1450         * Exit point from sedding...
1451         */
1452 discard_commands:
1453        /* we will print the line unless we were told to be quiet ('-n')
1454           or if the line was suppressed (ala 'd'elete) */
1455        if (!G.be_quiet)
1456                sed_puts(pattern_space, last_gets_char);
1457
1458        /* Delete and such jump here. */
1459 discard_line:
1460        flush_append(&last_puts_char /*,last_gets_char*/);
1461        free(pattern_space);
1462
1463        goto again;
1464}
1465
1466/* It is possible to have a command line argument with embedded
1467 * newlines.  This counts as multiple command lines.
1468 * However, newline can be escaped: 's/e/z\<newline>z/'
1469 * add_cmd() handles this.
1470 */
1471
1472static void add_cmd_block(char *cmdstr)
1473{
1474        char *sv, *eol;
1475
1476        cmdstr = sv = xstrdup(cmdstr);
1477        do {
1478                eol = strchr(cmdstr, '\n');
1479                if (eol)
1480                        *eol = '\0';
1481                add_cmd(cmdstr);
1482                cmdstr = eol + 1;
1483        } while (eol);
1484        free(sv);
1485}
1486
1487int sed_main(int argc, char **argv) MAIN_EXTERNALLY_VISIBLE;
1488int sed_main(int argc UNUSED_PARAM, char **argv)
1489{
1490        unsigned opt;
1491        llist_t *opt_e, *opt_f;
1492        char *opt_i;
1493
1494#if ENABLE_LONG_OPTS
1495        static const char sed_longopts[] ALIGN1 =
1496                /* name             has_arg             short */
1497                "in-place\0"        Optional_argument   "i"
1498                "regexp-extended\0" No_argument         "r"
1499                "quiet\0"           No_argument         "n"
1500                "silent\0"          No_argument         "n"
1501                "expression\0"      Required_argument   "e"
1502                "file\0"            Required_argument   "f";
1503#endif
1504
1505        INIT_G();
1506
1507        /* destroy command strings on exit */
1508        if (ENABLE_FEATURE_CLEAN_UP) atexit(sed_free_and_close_stuff);
1509
1510        /* Lie to autoconf when it starts asking stupid questions. */
1511        if (argv[1] && strcmp(argv[1], "--version") == 0) {
1512                puts("This is not GNU sed version 4.0");
1513                return 0;
1514        }
1515
1516        /* do normal option parsing */
1517        opt_e = opt_f = NULL;
1518        opt_i = NULL;
1519        /* -i must be first, to match OPT_in_place definition */
1520        /* -E is a synonym of -r:
1521         * GNU sed 4.2.1 mentions it in neither --help
1522         * nor manpage, but does recognize it.
1523         */
1524        opt = getopt32long(argv, "^"
1525                        "i::rEne:*f:*"
1526                        "\0" "nn"/*count -n*/,
1527                        sed_longopts,
1528                        &opt_i, &opt_e, &opt_f,
1529                        &G.be_quiet); /* counter for -n */
1530        //argc -= optind;
1531        argv += optind;
1532        if (opt & OPT_in_place) { // -i
1533                die_func = cleanup_outname;
1534        }
1535        if (opt & (2|4))
1536                G.regex_type |= REG_EXTENDED; // -r or -E
1537        //if (opt & 8)
1538        //      G.be_quiet++; // -n (implemented with a counter instead)
1539        while (opt_e) { // -e
1540                add_cmd_block(llist_pop(&opt_e));
1541        }
1542        while (opt_f) { // -f
1543                char *line;
1544                FILE *cmdfile;
1545                cmdfile = xfopen_stdin(llist_pop(&opt_f));
1546                while ((line = xmalloc_fgetline(cmdfile)) != NULL) {
1547                        add_cmd(line);
1548                        free(line);
1549                }
1550                fclose_if_not_stdin(cmdfile);
1551        }
1552        /* if we didn't get a pattern from -e or -f, use argv[0] */
1553        if (!(opt & 0x30)) {
1554                if (!*argv)
1555                        bb_show_usage();
1556                add_cmd_block(*argv++);
1557        }
1558        /* Flush any unfinished commands. */
1559        add_cmd("");
1560
1561        /* By default, we write to stdout */
1562        G.nonstdout = stdout;
1563
1564        /* argv[0..(argc-1)] should be names of file to process. If no
1565         * files were specified or '-' was specified, take input from stdin.
1566         * Otherwise, we process all the files specified. */
1567        G.input_file_list = argv;
1568        if (!argv[0]) {
1569                if (opt & OPT_in_place)
1570                        bb_error_msg_and_die(bb_msg_requires_arg, "-i");
1571                argv[0] = (char*)bb_msg_standard_input;
1572                /* G.last_input_file = 0; - already is */
1573        } else {
1574                goto start;
1575
1576                for (; *argv; argv++) {
1577                        struct stat statbuf;
1578                        int nonstdoutfd;
1579                        sed_cmd_t *sed_cmd;
1580
1581                        G.last_input_file++;
1582 start:
1583                        if (!(opt & OPT_in_place)) {
1584                                if (LONE_DASH(*argv)) {
1585                                        *argv = (char*)bb_msg_standard_input;
1586                                        process_files();
1587                                }
1588                                continue;
1589                        }
1590
1591                        /* -i: process each FILE separately: */
1592
1593                        if (stat(*argv, &statbuf) != 0) {
1594                                bb_simple_perror_msg(*argv);
1595                                G.exitcode = EXIT_FAILURE;
1596                                G.current_input_file++;
1597                                continue;
1598                        }
1599                        G.outname = xasprintf("%sXXXXXX", *argv);
1600                        nonstdoutfd = xmkstemp(G.outname);
1601                        G.nonstdout = xfdopen_for_write(nonstdoutfd);
1602                        /* Set permissions/owner of output file */
1603                        /* chmod'ing AFTER chown would preserve suid/sgid bits,
1604                         * but GNU sed 4.2.1 does not preserve them either */
1605                        fchmod(nonstdoutfd, statbuf.st_mode);
1606                        fchown(nonstdoutfd, statbuf.st_uid, statbuf.st_gid);
1607
1608                        process_files();
1609                        fclose(G.nonstdout);
1610                        G.nonstdout = stdout;
1611
1612                        if (opt_i) {
1613                                char *backupname = xasprintf("%s%s", *argv, opt_i);
1614                                xrename(*argv, backupname);
1615                                free(backupname);
1616                        }
1617                        /* else unlink(*argv); - rename below does this */
1618                        xrename(G.outname, *argv); //TODO: rollback backup on error?
1619                        free(G.outname);
1620                        G.outname = NULL;
1621
1622                        /* Fix disabled range matches and mangled ",+N" ranges */
1623                        for (sed_cmd = G.sed_cmd_head; sed_cmd; sed_cmd = sed_cmd->next) {
1624                                sed_cmd->beg_line = sed_cmd->beg_line_orig;
1625                                sed_cmd->end_line = sed_cmd->end_line_orig;
1626                        }
1627                }
1628                /* Here, to handle "sed 'cmds' nonexistent_file" case we did:
1629                 * if (G.current_input_file[G.current_input_file] == NULL)
1630                 *      return G.exitcode;
1631                 * but it's not needed since process_files() works correctly
1632                 * in this case too. */
1633        }
1634
1635        process_files();
1636
1637        return G.exitcode;
1638}
1639