eadba8cb0d510aab2357b0998286a0c0aac4c2b0
   1#include "cache.h"
   2#include "run-command.h"
   3#include "exec_cmd.h"
   4#include "sigchain.h"
   5#include "argv-array.h"
   6#include "thread-utils.h"
   7#include "strbuf.h"
   8#include "string-list.h"
   9#include "quote.h"
  10
  11void child_process_init(struct child_process *child)
  12{
  13        memset(child, 0, sizeof(*child));
  14        argv_array_init(&child->args);
  15        argv_array_init(&child->env_array);
  16}
  17
  18void child_process_clear(struct child_process *child)
  19{
  20        argv_array_clear(&child->args);
  21        argv_array_clear(&child->env_array);
  22}
  23
  24struct child_to_clean {
  25        pid_t pid;
  26        struct child_process *process;
  27        struct child_to_clean *next;
  28};
  29static struct child_to_clean *children_to_clean;
  30static int installed_child_cleanup_handler;
  31
  32static void cleanup_children(int sig, int in_signal)
  33{
  34        struct child_to_clean *children_to_wait_for = NULL;
  35
  36        while (children_to_clean) {
  37                struct child_to_clean *p = children_to_clean;
  38                children_to_clean = p->next;
  39
  40                if (p->process && !in_signal) {
  41                        struct child_process *process = p->process;
  42                        if (process->clean_on_exit_handler) {
  43                                trace_printf(
  44                                        "trace: run_command: running exit handler for pid %"
  45                                        PRIuMAX, (uintmax_t)p->pid
  46                                );
  47                                process->clean_on_exit_handler(process);
  48                        }
  49                }
  50
  51                kill(p->pid, sig);
  52
  53                if (p->process && p->process->wait_after_clean) {
  54                        p->next = children_to_wait_for;
  55                        children_to_wait_for = p;
  56                } else {
  57                        if (!in_signal)
  58                                free(p);
  59                }
  60        }
  61
  62        while (children_to_wait_for) {
  63                struct child_to_clean *p = children_to_wait_for;
  64                children_to_wait_for = p->next;
  65
  66                while (waitpid(p->pid, NULL, 0) < 0 && errno == EINTR)
  67                        ; /* spin waiting for process exit or error */
  68
  69                if (!in_signal)
  70                        free(p);
  71        }
  72}
  73
  74static void cleanup_children_on_signal(int sig)
  75{
  76        cleanup_children(sig, 1);
  77        sigchain_pop(sig);
  78        raise(sig);
  79}
  80
  81static void cleanup_children_on_exit(void)
  82{
  83        cleanup_children(SIGTERM, 0);
  84}
  85
  86static void mark_child_for_cleanup(pid_t pid, struct child_process *process)
  87{
  88        struct child_to_clean *p = xmalloc(sizeof(*p));
  89        p->pid = pid;
  90        p->process = process;
  91        p->next = children_to_clean;
  92        children_to_clean = p;
  93
  94        if (!installed_child_cleanup_handler) {
  95                atexit(cleanup_children_on_exit);
  96                sigchain_push_common(cleanup_children_on_signal);
  97                installed_child_cleanup_handler = 1;
  98        }
  99}
 100
 101static void clear_child_for_cleanup(pid_t pid)
 102{
 103        struct child_to_clean **pp;
 104
 105        for (pp = &children_to_clean; *pp; pp = &(*pp)->next) {
 106                struct child_to_clean *clean_me = *pp;
 107
 108                if (clean_me->pid == pid) {
 109                        *pp = clean_me->next;
 110                        free(clean_me);
 111                        return;
 112                }
 113        }
 114}
 115
 116static inline void close_pair(int fd[2])
 117{
 118        close(fd[0]);
 119        close(fd[1]);
 120}
 121
 122int is_executable(const char *name)
 123{
 124        struct stat st;
 125
 126        if (stat(name, &st) || /* stat, not lstat */
 127            !S_ISREG(st.st_mode))
 128                return 0;
 129
 130#if defined(GIT_WINDOWS_NATIVE)
 131        /*
 132         * On Windows there is no executable bit. The file extension
 133         * indicates whether it can be run as an executable, and Git
 134         * has special-handling to detect scripts and launch them
 135         * through the indicated script interpreter. We test for the
 136         * file extension first because virus scanners may make
 137         * it quite expensive to open many files.
 138         */
 139        if (ends_with(name, ".exe"))
 140                return S_IXUSR;
 141
 142{
 143        /*
 144         * Now that we know it does not have an executable extension,
 145         * peek into the file instead.
 146         */
 147        char buf[3] = { 0 };
 148        int n;
 149        int fd = open(name, O_RDONLY);
 150        st.st_mode &= ~S_IXUSR;
 151        if (fd >= 0) {
 152                n = read(fd, buf, 2);
 153                if (n == 2)
 154                        /* look for a she-bang */
 155                        if (!strcmp(buf, "#!"))
 156                                st.st_mode |= S_IXUSR;
 157                close(fd);
 158        }
 159}
 160#endif
 161        return st.st_mode & S_IXUSR;
 162}
 163
 164/*
 165 * Search $PATH for a command.  This emulates the path search that
 166 * execvp would perform, without actually executing the command so it
 167 * can be used before fork() to prepare to run a command using
 168 * execve() or after execvp() to diagnose why it failed.
 169 *
 170 * The caller should ensure that file contains no directory
 171 * separators.
 172 *
 173 * Returns the path to the command, as found in $PATH or NULL if the
 174 * command could not be found.  The caller inherits ownership of the memory
 175 * used to store the resultant path.
 176 *
 177 * This should not be used on Windows, where the $PATH search rules
 178 * are more complicated (e.g., a search for "foo" should find
 179 * "foo.exe").
 180 */
 181static char *locate_in_PATH(const char *file)
 182{
 183        const char *p = getenv("PATH");
 184        struct strbuf buf = STRBUF_INIT;
 185
 186        if (!p || !*p)
 187                return NULL;
 188
 189        while (1) {
 190                const char *end = strchrnul(p, ':');
 191
 192                strbuf_reset(&buf);
 193
 194                /* POSIX specifies an empty entry as the current directory. */
 195                if (end != p) {
 196                        strbuf_add(&buf, p, end - p);
 197                        strbuf_addch(&buf, '/');
 198                }
 199                strbuf_addstr(&buf, file);
 200
 201                if (is_executable(buf.buf))
 202                        return strbuf_detach(&buf, NULL);
 203
 204                if (!*end)
 205                        break;
 206                p = end + 1;
 207        }
 208
 209        strbuf_release(&buf);
 210        return NULL;
 211}
 212
 213static int exists_in_PATH(const char *file)
 214{
 215        char *r = locate_in_PATH(file);
 216        free(r);
 217        return r != NULL;
 218}
 219
 220int sane_execvp(const char *file, char * const argv[])
 221{
 222        if (!execvp(file, argv))
 223                return 0; /* cannot happen ;-) */
 224
 225        /*
 226         * When a command can't be found because one of the directories
 227         * listed in $PATH is unsearchable, execvp reports EACCES, but
 228         * careful usability testing (read: analysis of occasional bug
 229         * reports) reveals that "No such file or directory" is more
 230         * intuitive.
 231         *
 232         * We avoid commands with "/", because execvp will not do $PATH
 233         * lookups in that case.
 234         *
 235         * The reassignment of EACCES to errno looks like a no-op below,
 236         * but we need to protect against exists_in_PATH overwriting errno.
 237         */
 238        if (errno == EACCES && !strchr(file, '/'))
 239                errno = exists_in_PATH(file) ? EACCES : ENOENT;
 240        else if (errno == ENOTDIR && !strchr(file, '/'))
 241                errno = ENOENT;
 242        return -1;
 243}
 244
 245static const char **prepare_shell_cmd(struct argv_array *out, const char **argv)
 246{
 247        if (!argv[0])
 248                die("BUG: shell command is empty");
 249
 250        if (strcspn(argv[0], "|&;<>()$`\\\"' \t\n*?[#~=%") != strlen(argv[0])) {
 251#ifndef GIT_WINDOWS_NATIVE
 252                argv_array_push(out, SHELL_PATH);
 253#else
 254                argv_array_push(out, "sh");
 255#endif
 256                argv_array_push(out, "-c");
 257
 258                /*
 259                 * If we have no extra arguments, we do not even need to
 260                 * bother with the "$@" magic.
 261                 */
 262                if (!argv[1])
 263                        argv_array_push(out, argv[0]);
 264                else
 265                        argv_array_pushf(out, "%s \"$@\"", argv[0]);
 266        }
 267
 268        argv_array_pushv(out, argv);
 269        return out->argv;
 270}
 271
 272#ifndef GIT_WINDOWS_NATIVE
 273static int child_notifier = -1;
 274
 275enum child_errcode {
 276        CHILD_ERR_CHDIR,
 277        CHILD_ERR_DUP2,
 278        CHILD_ERR_CLOSE,
 279        CHILD_ERR_SIGPROCMASK,
 280        CHILD_ERR_ENOENT,
 281        CHILD_ERR_SILENT,
 282        CHILD_ERR_ERRNO
 283};
 284
 285struct child_err {
 286        enum child_errcode err;
 287        int syserr; /* errno */
 288};
 289
 290static void child_die(enum child_errcode err)
 291{
 292        struct child_err buf;
 293
 294        buf.err = err;
 295        buf.syserr = errno;
 296
 297        /* write(2) on buf smaller than PIPE_BUF (min 512) is atomic: */
 298        xwrite(child_notifier, &buf, sizeof(buf));
 299        _exit(1);
 300}
 301
 302static void child_dup2(int fd, int to)
 303{
 304        if (dup2(fd, to) < 0)
 305                child_die(CHILD_ERR_DUP2);
 306}
 307
 308static void child_close(int fd)
 309{
 310        if (close(fd))
 311                child_die(CHILD_ERR_CLOSE);
 312}
 313
 314static void child_close_pair(int fd[2])
 315{
 316        child_close(fd[0]);
 317        child_close(fd[1]);
 318}
 319
 320/*
 321 * parent will make it look like the child spewed a fatal error and died
 322 * this is needed to prevent changes to t0061.
 323 */
 324static void fake_fatal(const char *err, va_list params)
 325{
 326        vreportf("fatal: ", err, params);
 327}
 328
 329static void child_error_fn(const char *err, va_list params)
 330{
 331        const char msg[] = "error() should not be called in child\n";
 332        xwrite(2, msg, sizeof(msg) - 1);
 333}
 334
 335static void child_warn_fn(const char *err, va_list params)
 336{
 337        const char msg[] = "warn() should not be called in child\n";
 338        xwrite(2, msg, sizeof(msg) - 1);
 339}
 340
 341static void NORETURN child_die_fn(const char *err, va_list params)
 342{
 343        const char msg[] = "die() should not be called in child\n";
 344        xwrite(2, msg, sizeof(msg) - 1);
 345        _exit(2);
 346}
 347
 348/* this runs in the parent process */
 349static void child_err_spew(struct child_process *cmd, struct child_err *cerr)
 350{
 351        static void (*old_errfn)(const char *err, va_list params);
 352
 353        old_errfn = get_error_routine();
 354        set_error_routine(fake_fatal);
 355        errno = cerr->syserr;
 356
 357        switch (cerr->err) {
 358        case CHILD_ERR_CHDIR:
 359                error_errno("exec '%s': cd to '%s' failed",
 360                            cmd->argv[0], cmd->dir);
 361                break;
 362        case CHILD_ERR_DUP2:
 363                error_errno("dup2() in child failed");
 364                break;
 365        case CHILD_ERR_CLOSE:
 366                error_errno("close() in child failed");
 367                break;
 368        case CHILD_ERR_SIGPROCMASK:
 369                error_errno("sigprocmask failed restoring signals");
 370                break;
 371        case CHILD_ERR_ENOENT:
 372                error_errno("cannot run %s", cmd->argv[0]);
 373                break;
 374        case CHILD_ERR_SILENT:
 375                break;
 376        case CHILD_ERR_ERRNO:
 377                error_errno("cannot exec '%s'", cmd->argv[0]);
 378                break;
 379        }
 380        set_error_routine(old_errfn);
 381}
 382
 383static void prepare_cmd(struct argv_array *out, const struct child_process *cmd)
 384{
 385        if (!cmd->argv[0])
 386                die("BUG: command is empty");
 387
 388        /*
 389         * Add SHELL_PATH so in the event exec fails with ENOEXEC we can
 390         * attempt to interpret the command with 'sh'.
 391         */
 392        argv_array_push(out, SHELL_PATH);
 393
 394        if (cmd->git_cmd) {
 395                argv_array_push(out, "git");
 396                argv_array_pushv(out, cmd->argv);
 397        } else if (cmd->use_shell) {
 398                prepare_shell_cmd(out, cmd->argv);
 399        } else {
 400                argv_array_pushv(out, cmd->argv);
 401        }
 402
 403        /*
 404         * If there are no '/' characters in the command then perform a path
 405         * lookup and use the resolved path as the command to exec.  If there
 406         * are no '/' characters or if the command wasn't found in the path,
 407         * have exec attempt to invoke the command directly.
 408         */
 409        if (!strchr(out->argv[1], '/')) {
 410                char *program = locate_in_PATH(out->argv[1]);
 411                if (program) {
 412                        free((char *)out->argv[1]);
 413                        out->argv[1] = program;
 414                }
 415        }
 416}
 417
 418static char **prep_childenv(const char *const *deltaenv)
 419{
 420        extern char **environ;
 421        char **childenv;
 422        struct string_list env = STRING_LIST_INIT_DUP;
 423        struct strbuf key = STRBUF_INIT;
 424        const char *const *p;
 425        int i;
 426
 427        /* Construct a sorted string list consisting of the current environ */
 428        for (p = (const char *const *) environ; p && *p; p++) {
 429                const char *equals = strchr(*p, '=');
 430
 431                if (equals) {
 432                        strbuf_reset(&key);
 433                        strbuf_add(&key, *p, equals - *p);
 434                        string_list_append(&env, key.buf)->util = (void *) *p;
 435                } else {
 436                        string_list_append(&env, *p)->util = (void *) *p;
 437                }
 438        }
 439        string_list_sort(&env);
 440
 441        /* Merge in 'deltaenv' with the current environ */
 442        for (p = deltaenv; p && *p; p++) {
 443                const char *equals = strchr(*p, '=');
 444
 445                if (equals) {
 446                        /* ('key=value'), insert or replace entry */
 447                        strbuf_reset(&key);
 448                        strbuf_add(&key, *p, equals - *p);
 449                        string_list_insert(&env, key.buf)->util = (void *) *p;
 450                } else {
 451                        /* otherwise ('key') remove existing entry */
 452                        string_list_remove(&env, *p, 0);
 453                }
 454        }
 455
 456        /* Create an array of 'char *' to be used as the childenv */
 457        ALLOC_ARRAY(childenv, env.nr + 1);
 458        for (i = 0; i < env.nr; i++)
 459                childenv[i] = env.items[i].util;
 460        childenv[env.nr] = NULL;
 461
 462        string_list_clear(&env, 0);
 463        strbuf_release(&key);
 464        return childenv;
 465}
 466
 467struct atfork_state {
 468#ifndef NO_PTHREADS
 469        int cs;
 470#endif
 471        sigset_t old;
 472};
 473
 474#ifndef NO_PTHREADS
 475static void bug_die(int err, const char *msg)
 476{
 477        if (err) {
 478                errno = err;
 479                die_errno("BUG: %s", msg);
 480        }
 481}
 482#endif
 483
 484static void atfork_prepare(struct atfork_state *as)
 485{
 486        sigset_t all;
 487
 488        if (sigfillset(&all))
 489                die_errno("sigfillset");
 490#ifdef NO_PTHREADS
 491        if (sigprocmask(SIG_SETMASK, &all, &as->old))
 492                die_errno("sigprocmask");
 493#else
 494        bug_die(pthread_sigmask(SIG_SETMASK, &all, &as->old),
 495                "blocking all signals");
 496        bug_die(pthread_setcancelstate(PTHREAD_CANCEL_DISABLE, &as->cs),
 497                "disabling cancellation");
 498#endif
 499}
 500
 501static void atfork_parent(struct atfork_state *as)
 502{
 503#ifdef NO_PTHREADS
 504        if (sigprocmask(SIG_SETMASK, &as->old, NULL))
 505                die_errno("sigprocmask");
 506#else
 507        bug_die(pthread_setcancelstate(as->cs, NULL),
 508                "re-enabling cancellation");
 509        bug_die(pthread_sigmask(SIG_SETMASK, &as->old, NULL),
 510                "restoring signal mask");
 511#endif
 512}
 513#endif /* GIT_WINDOWS_NATIVE */
 514
 515static inline void set_cloexec(int fd)
 516{
 517        int flags = fcntl(fd, F_GETFD);
 518        if (flags >= 0)
 519                fcntl(fd, F_SETFD, flags | FD_CLOEXEC);
 520}
 521
 522static int wait_or_whine(pid_t pid, const char *argv0, int in_signal)
 523{
 524        int status, code = -1;
 525        pid_t waiting;
 526        int failed_errno = 0;
 527
 528        while ((waiting = waitpid(pid, &status, 0)) < 0 && errno == EINTR)
 529                ;       /* nothing */
 530        if (in_signal)
 531                return 0;
 532
 533        if (waiting < 0) {
 534                failed_errno = errno;
 535                error_errno("waitpid for %s failed", argv0);
 536        } else if (waiting != pid) {
 537                error("waitpid is confused (%s)", argv0);
 538        } else if (WIFSIGNALED(status)) {
 539                code = WTERMSIG(status);
 540                if (code != SIGINT && code != SIGQUIT && code != SIGPIPE)
 541                        error("%s died of signal %d", argv0, code);
 542                /*
 543                 * This return value is chosen so that code & 0xff
 544                 * mimics the exit code that a POSIX shell would report for
 545                 * a program that died from this signal.
 546                 */
 547                code += 128;
 548        } else if (WIFEXITED(status)) {
 549                code = WEXITSTATUS(status);
 550        } else {
 551                error("waitpid is confused (%s)", argv0);
 552        }
 553
 554        clear_child_for_cleanup(pid);
 555
 556        errno = failed_errno;
 557        return code;
 558}
 559
 560static void trace_run_command(const struct child_process *cp)
 561{
 562        struct strbuf buf = STRBUF_INIT;
 563
 564        if (!trace_want(&trace_default_key))
 565                return;
 566
 567        strbuf_addf(&buf, "trace: run_command:");
 568        sq_quote_argv_pretty(&buf, cp->argv);
 569
 570        trace_printf("%s", buf.buf);
 571        strbuf_release(&buf);
 572}
 573
 574int start_command(struct child_process *cmd)
 575{
 576        int need_in, need_out, need_err;
 577        int fdin[2], fdout[2], fderr[2];
 578        int failed_errno;
 579        char *str;
 580
 581        if (!cmd->argv)
 582                cmd->argv = cmd->args.argv;
 583        if (!cmd->env)
 584                cmd->env = cmd->env_array.argv;
 585
 586        /*
 587         * In case of errors we must keep the promise to close FDs
 588         * that have been passed in via ->in and ->out.
 589         */
 590
 591        need_in = !cmd->no_stdin && cmd->in < 0;
 592        if (need_in) {
 593                if (pipe(fdin) < 0) {
 594                        failed_errno = errno;
 595                        if (cmd->out > 0)
 596                                close(cmd->out);
 597                        str = "standard input";
 598                        goto fail_pipe;
 599                }
 600                cmd->in = fdin[1];
 601        }
 602
 603        need_out = !cmd->no_stdout
 604                && !cmd->stdout_to_stderr
 605                && cmd->out < 0;
 606        if (need_out) {
 607                if (pipe(fdout) < 0) {
 608                        failed_errno = errno;
 609                        if (need_in)
 610                                close_pair(fdin);
 611                        else if (cmd->in)
 612                                close(cmd->in);
 613                        str = "standard output";
 614                        goto fail_pipe;
 615                }
 616                cmd->out = fdout[0];
 617        }
 618
 619        need_err = !cmd->no_stderr && cmd->err < 0;
 620        if (need_err) {
 621                if (pipe(fderr) < 0) {
 622                        failed_errno = errno;
 623                        if (need_in)
 624                                close_pair(fdin);
 625                        else if (cmd->in)
 626                                close(cmd->in);
 627                        if (need_out)
 628                                close_pair(fdout);
 629                        else if (cmd->out)
 630                                close(cmd->out);
 631                        str = "standard error";
 632fail_pipe:
 633                        error("cannot create %s pipe for %s: %s",
 634                                str, cmd->argv[0], strerror(failed_errno));
 635                        child_process_clear(cmd);
 636                        errno = failed_errno;
 637                        return -1;
 638                }
 639                cmd->err = fderr[0];
 640        }
 641
 642        trace_run_command(cmd);
 643
 644        fflush(NULL);
 645
 646#ifndef GIT_WINDOWS_NATIVE
 647{
 648        int notify_pipe[2];
 649        int null_fd = -1;
 650        char **childenv;
 651        struct argv_array argv = ARGV_ARRAY_INIT;
 652        struct child_err cerr;
 653        struct atfork_state as;
 654
 655        if (pipe(notify_pipe))
 656                notify_pipe[0] = notify_pipe[1] = -1;
 657
 658        if (cmd->no_stdin || cmd->no_stdout || cmd->no_stderr) {
 659                null_fd = open("/dev/null", O_RDWR | O_CLOEXEC);
 660                if (null_fd < 0)
 661                        die_errno(_("open /dev/null failed"));
 662                set_cloexec(null_fd);
 663        }
 664
 665        prepare_cmd(&argv, cmd);
 666        childenv = prep_childenv(cmd->env);
 667        atfork_prepare(&as);
 668
 669        /*
 670         * NOTE: In order to prevent deadlocking when using threads special
 671         * care should be taken with the function calls made in between the
 672         * fork() and exec() calls.  No calls should be made to functions which
 673         * require acquiring a lock (e.g. malloc) as the lock could have been
 674         * held by another thread at the time of forking, causing the lock to
 675         * never be released in the child process.  This means only
 676         * Async-Signal-Safe functions are permitted in the child.
 677         */
 678        cmd->pid = fork();
 679        failed_errno = errno;
 680        if (!cmd->pid) {
 681                int sig;
 682                /*
 683                 * Ensure the default die/error/warn routines do not get
 684                 * called, they can take stdio locks and malloc.
 685                 */
 686                set_die_routine(child_die_fn);
 687                set_error_routine(child_error_fn);
 688                set_warn_routine(child_warn_fn);
 689
 690                close(notify_pipe[0]);
 691                set_cloexec(notify_pipe[1]);
 692                child_notifier = notify_pipe[1];
 693
 694                if (cmd->no_stdin)
 695                        child_dup2(null_fd, 0);
 696                else if (need_in) {
 697                        child_dup2(fdin[0], 0);
 698                        child_close_pair(fdin);
 699                } else if (cmd->in) {
 700                        child_dup2(cmd->in, 0);
 701                        child_close(cmd->in);
 702                }
 703
 704                if (cmd->no_stderr)
 705                        child_dup2(null_fd, 2);
 706                else if (need_err) {
 707                        child_dup2(fderr[1], 2);
 708                        child_close_pair(fderr);
 709                } else if (cmd->err > 1) {
 710                        child_dup2(cmd->err, 2);
 711                        child_close(cmd->err);
 712                }
 713
 714                if (cmd->no_stdout)
 715                        child_dup2(null_fd, 1);
 716                else if (cmd->stdout_to_stderr)
 717                        child_dup2(2, 1);
 718                else if (need_out) {
 719                        child_dup2(fdout[1], 1);
 720                        child_close_pair(fdout);
 721                } else if (cmd->out > 1) {
 722                        child_dup2(cmd->out, 1);
 723                        child_close(cmd->out);
 724                }
 725
 726                if (cmd->dir && chdir(cmd->dir))
 727                        child_die(CHILD_ERR_CHDIR);
 728
 729                /*
 730                 * restore default signal handlers here, in case
 731                 * we catch a signal right before execve below
 732                 */
 733                for (sig = 1; sig < NSIG; sig++) {
 734                        /* ignored signals get reset to SIG_DFL on execve */
 735                        if (signal(sig, SIG_DFL) == SIG_IGN)
 736                                signal(sig, SIG_IGN);
 737                }
 738
 739                if (sigprocmask(SIG_SETMASK, &as.old, NULL) != 0)
 740                        child_die(CHILD_ERR_SIGPROCMASK);
 741
 742                /*
 743                 * Attempt to exec using the command and arguments starting at
 744                 * argv.argv[1].  argv.argv[0] contains SHELL_PATH which will
 745                 * be used in the event exec failed with ENOEXEC at which point
 746                 * we will try to interpret the command using 'sh'.
 747                 */
 748                execve(argv.argv[1], (char *const *) argv.argv + 1,
 749                       (char *const *) childenv);
 750                if (errno == ENOEXEC)
 751                        execve(argv.argv[0], (char *const *) argv.argv,
 752                               (char *const *) childenv);
 753
 754                if (errno == ENOENT) {
 755                        if (cmd->silent_exec_failure)
 756                                child_die(CHILD_ERR_SILENT);
 757                        child_die(CHILD_ERR_ENOENT);
 758                } else {
 759                        child_die(CHILD_ERR_ERRNO);
 760                }
 761        }
 762        atfork_parent(&as);
 763        if (cmd->pid < 0)
 764                error_errno("cannot fork() for %s", cmd->argv[0]);
 765        else if (cmd->clean_on_exit)
 766                mark_child_for_cleanup(cmd->pid, cmd);
 767
 768        /*
 769         * Wait for child's exec. If the exec succeeds (or if fork()
 770         * failed), EOF is seen immediately by the parent. Otherwise, the
 771         * child process sends a child_err struct.
 772         * Note that use of this infrastructure is completely advisory,
 773         * therefore, we keep error checks minimal.
 774         */
 775        close(notify_pipe[1]);
 776        if (xread(notify_pipe[0], &cerr, sizeof(cerr)) == sizeof(cerr)) {
 777                /*
 778                 * At this point we know that fork() succeeded, but exec()
 779                 * failed. Errors have been reported to our stderr.
 780                 */
 781                wait_or_whine(cmd->pid, cmd->argv[0], 0);
 782                child_err_spew(cmd, &cerr);
 783                failed_errno = errno;
 784                cmd->pid = -1;
 785        }
 786        close(notify_pipe[0]);
 787
 788        if (null_fd >= 0)
 789                close(null_fd);
 790        argv_array_clear(&argv);
 791        free(childenv);
 792}
 793#else
 794{
 795        int fhin = 0, fhout = 1, fherr = 2;
 796        const char **sargv = cmd->argv;
 797        struct argv_array nargv = ARGV_ARRAY_INIT;
 798
 799        if (cmd->no_stdin)
 800                fhin = open("/dev/null", O_RDWR);
 801        else if (need_in)
 802                fhin = dup(fdin[0]);
 803        else if (cmd->in)
 804                fhin = dup(cmd->in);
 805
 806        if (cmd->no_stderr)
 807                fherr = open("/dev/null", O_RDWR);
 808        else if (need_err)
 809                fherr = dup(fderr[1]);
 810        else if (cmd->err > 2)
 811                fherr = dup(cmd->err);
 812
 813        if (cmd->no_stdout)
 814                fhout = open("/dev/null", O_RDWR);
 815        else if (cmd->stdout_to_stderr)
 816                fhout = dup(fherr);
 817        else if (need_out)
 818                fhout = dup(fdout[1]);
 819        else if (cmd->out > 1)
 820                fhout = dup(cmd->out);
 821
 822        if (cmd->git_cmd)
 823                cmd->argv = prepare_git_cmd(&nargv, cmd->argv);
 824        else if (cmd->use_shell)
 825                cmd->argv = prepare_shell_cmd(&nargv, cmd->argv);
 826
 827        cmd->pid = mingw_spawnvpe(cmd->argv[0], cmd->argv, (char**) cmd->env,
 828                        cmd->dir, fhin, fhout, fherr);
 829        failed_errno = errno;
 830        if (cmd->pid < 0 && (!cmd->silent_exec_failure || errno != ENOENT))
 831                error_errno("cannot spawn %s", cmd->argv[0]);
 832        if (cmd->clean_on_exit && cmd->pid >= 0)
 833                mark_child_for_cleanup(cmd->pid, cmd);
 834
 835        argv_array_clear(&nargv);
 836        cmd->argv = sargv;
 837        if (fhin != 0)
 838                close(fhin);
 839        if (fhout != 1)
 840                close(fhout);
 841        if (fherr != 2)
 842                close(fherr);
 843}
 844#endif
 845
 846        if (cmd->pid < 0) {
 847                if (need_in)
 848                        close_pair(fdin);
 849                else if (cmd->in)
 850                        close(cmd->in);
 851                if (need_out)
 852                        close_pair(fdout);
 853                else if (cmd->out)
 854                        close(cmd->out);
 855                if (need_err)
 856                        close_pair(fderr);
 857                else if (cmd->err)
 858                        close(cmd->err);
 859                child_process_clear(cmd);
 860                errno = failed_errno;
 861                return -1;
 862        }
 863
 864        if (need_in)
 865                close(fdin[0]);
 866        else if (cmd->in)
 867                close(cmd->in);
 868
 869        if (need_out)
 870                close(fdout[1]);
 871        else if (cmd->out)
 872                close(cmd->out);
 873
 874        if (need_err)
 875                close(fderr[1]);
 876        else if (cmd->err)
 877                close(cmd->err);
 878
 879        return 0;
 880}
 881
 882int finish_command(struct child_process *cmd)
 883{
 884        int ret = wait_or_whine(cmd->pid, cmd->argv[0], 0);
 885        child_process_clear(cmd);
 886        return ret;
 887}
 888
 889int finish_command_in_signal(struct child_process *cmd)
 890{
 891        return wait_or_whine(cmd->pid, cmd->argv[0], 1);
 892}
 893
 894
 895int run_command(struct child_process *cmd)
 896{
 897        int code;
 898
 899        if (cmd->out < 0 || cmd->err < 0)
 900                die("BUG: run_command with a pipe can cause deadlock");
 901
 902        code = start_command(cmd);
 903        if (code)
 904                return code;
 905        return finish_command(cmd);
 906}
 907
 908int run_command_v_opt(const char **argv, int opt)
 909{
 910        return run_command_v_opt_cd_env(argv, opt, NULL, NULL);
 911}
 912
 913int run_command_v_opt_cd_env(const char **argv, int opt, const char *dir, const char *const *env)
 914{
 915        struct child_process cmd = CHILD_PROCESS_INIT;
 916        cmd.argv = argv;
 917        cmd.no_stdin = opt & RUN_COMMAND_NO_STDIN ? 1 : 0;
 918        cmd.git_cmd = opt & RUN_GIT_CMD ? 1 : 0;
 919        cmd.stdout_to_stderr = opt & RUN_COMMAND_STDOUT_TO_STDERR ? 1 : 0;
 920        cmd.silent_exec_failure = opt & RUN_SILENT_EXEC_FAILURE ? 1 : 0;
 921        cmd.use_shell = opt & RUN_USING_SHELL ? 1 : 0;
 922        cmd.clean_on_exit = opt & RUN_CLEAN_ON_EXIT ? 1 : 0;
 923        cmd.dir = dir;
 924        cmd.env = env;
 925        return run_command(&cmd);
 926}
 927
 928#ifndef NO_PTHREADS
 929static pthread_t main_thread;
 930static int main_thread_set;
 931static pthread_key_t async_key;
 932static pthread_key_t async_die_counter;
 933
 934static void *run_thread(void *data)
 935{
 936        struct async *async = data;
 937        intptr_t ret;
 938
 939        if (async->isolate_sigpipe) {
 940                sigset_t mask;
 941                sigemptyset(&mask);
 942                sigaddset(&mask, SIGPIPE);
 943                if (pthread_sigmask(SIG_BLOCK, &mask, NULL) < 0) {
 944                        ret = error("unable to block SIGPIPE in async thread");
 945                        return (void *)ret;
 946                }
 947        }
 948
 949        pthread_setspecific(async_key, async);
 950        ret = async->proc(async->proc_in, async->proc_out, async->data);
 951        return (void *)ret;
 952}
 953
 954static NORETURN void die_async(const char *err, va_list params)
 955{
 956        vreportf("fatal: ", err, params);
 957
 958        if (in_async()) {
 959                struct async *async = pthread_getspecific(async_key);
 960                if (async->proc_in >= 0)
 961                        close(async->proc_in);
 962                if (async->proc_out >= 0)
 963                        close(async->proc_out);
 964                pthread_exit((void *)128);
 965        }
 966
 967        exit(128);
 968}
 969
 970static int async_die_is_recursing(void)
 971{
 972        void *ret = pthread_getspecific(async_die_counter);
 973        pthread_setspecific(async_die_counter, (void *)1);
 974        return ret != NULL;
 975}
 976
 977int in_async(void)
 978{
 979        if (!main_thread_set)
 980                return 0; /* no asyncs started yet */
 981        return !pthread_equal(main_thread, pthread_self());
 982}
 983
 984static void NORETURN async_exit(int code)
 985{
 986        pthread_exit((void *)(intptr_t)code);
 987}
 988
 989#else
 990
 991static struct {
 992        void (**handlers)(void);
 993        size_t nr;
 994        size_t alloc;
 995} git_atexit_hdlrs;
 996
 997static int git_atexit_installed;
 998
 999static void git_atexit_dispatch(void)
1000{
1001        size_t i;
1002
1003        for (i=git_atexit_hdlrs.nr ; i ; i--)
1004                git_atexit_hdlrs.handlers[i-1]();
1005}
1006
1007static void git_atexit_clear(void)
1008{
1009        free(git_atexit_hdlrs.handlers);
1010        memset(&git_atexit_hdlrs, 0, sizeof(git_atexit_hdlrs));
1011        git_atexit_installed = 0;
1012}
1013
1014#undef atexit
1015int git_atexit(void (*handler)(void))
1016{
1017        ALLOC_GROW(git_atexit_hdlrs.handlers, git_atexit_hdlrs.nr + 1, git_atexit_hdlrs.alloc);
1018        git_atexit_hdlrs.handlers[git_atexit_hdlrs.nr++] = handler;
1019        if (!git_atexit_installed) {
1020                if (atexit(&git_atexit_dispatch))
1021                        return -1;
1022                git_atexit_installed = 1;
1023        }
1024        return 0;
1025}
1026#define atexit git_atexit
1027
1028static int process_is_async;
1029int in_async(void)
1030{
1031        return process_is_async;
1032}
1033
1034static void NORETURN async_exit(int code)
1035{
1036        exit(code);
1037}
1038
1039#endif
1040
1041void check_pipe(int err)
1042{
1043        if (err == EPIPE) {
1044                if (in_async())
1045                        async_exit(141);
1046
1047                signal(SIGPIPE, SIG_DFL);
1048                raise(SIGPIPE);
1049                /* Should never happen, but just in case... */
1050                exit(141);
1051        }
1052}
1053
1054int start_async(struct async *async)
1055{
1056        int need_in, need_out;
1057        int fdin[2], fdout[2];
1058        int proc_in, proc_out;
1059
1060        need_in = async->in < 0;
1061        if (need_in) {
1062                if (pipe(fdin) < 0) {
1063                        if (async->out > 0)
1064                                close(async->out);
1065                        return error_errno("cannot create pipe");
1066                }
1067                async->in = fdin[1];
1068        }
1069
1070        need_out = async->out < 0;
1071        if (need_out) {
1072                if (pipe(fdout) < 0) {
1073                        if (need_in)
1074                                close_pair(fdin);
1075                        else if (async->in)
1076                                close(async->in);
1077                        return error_errno("cannot create pipe");
1078                }
1079                async->out = fdout[0];
1080        }
1081
1082        if (need_in)
1083                proc_in = fdin[0];
1084        else if (async->in)
1085                proc_in = async->in;
1086        else
1087                proc_in = -1;
1088
1089        if (need_out)
1090                proc_out = fdout[1];
1091        else if (async->out)
1092                proc_out = async->out;
1093        else
1094                proc_out = -1;
1095
1096#ifdef NO_PTHREADS
1097        /* Flush stdio before fork() to avoid cloning buffers */
1098        fflush(NULL);
1099
1100        async->pid = fork();
1101        if (async->pid < 0) {
1102                error_errno("fork (async) failed");
1103                goto error;
1104        }
1105        if (!async->pid) {
1106                if (need_in)
1107                        close(fdin[1]);
1108                if (need_out)
1109                        close(fdout[0]);
1110                git_atexit_clear();
1111                process_is_async = 1;
1112                exit(!!async->proc(proc_in, proc_out, async->data));
1113        }
1114
1115        mark_child_for_cleanup(async->pid, NULL);
1116
1117        if (need_in)
1118                close(fdin[0]);
1119        else if (async->in)
1120                close(async->in);
1121
1122        if (need_out)
1123                close(fdout[1]);
1124        else if (async->out)
1125                close(async->out);
1126#else
1127        if (!main_thread_set) {
1128                /*
1129                 * We assume that the first time that start_async is called
1130                 * it is from the main thread.
1131                 */
1132                main_thread_set = 1;
1133                main_thread = pthread_self();
1134                pthread_key_create(&async_key, NULL);
1135                pthread_key_create(&async_die_counter, NULL);
1136                set_die_routine(die_async);
1137                set_die_is_recursing_routine(async_die_is_recursing);
1138        }
1139
1140        if (proc_in >= 0)
1141                set_cloexec(proc_in);
1142        if (proc_out >= 0)
1143                set_cloexec(proc_out);
1144        async->proc_in = proc_in;
1145        async->proc_out = proc_out;
1146        {
1147                int err = pthread_create(&async->tid, NULL, run_thread, async);
1148                if (err) {
1149                        error_errno("cannot create thread");
1150                        goto error;
1151                }
1152        }
1153#endif
1154        return 0;
1155
1156error:
1157        if (need_in)
1158                close_pair(fdin);
1159        else if (async->in)
1160                close(async->in);
1161
1162        if (need_out)
1163                close_pair(fdout);
1164        else if (async->out)
1165                close(async->out);
1166        return -1;
1167}
1168
1169int finish_async(struct async *async)
1170{
1171#ifdef NO_PTHREADS
1172        return wait_or_whine(async->pid, "child process", 0);
1173#else
1174        void *ret = (void *)(intptr_t)(-1);
1175
1176        if (pthread_join(async->tid, &ret))
1177                error("pthread_join failed");
1178        return (int)(intptr_t)ret;
1179#endif
1180}
1181
1182const char *find_hook(const char *name)
1183{
1184        static struct strbuf path = STRBUF_INIT;
1185
1186        strbuf_reset(&path);
1187        strbuf_git_path(&path, "hooks/%s", name);
1188        if (access(path.buf, X_OK) < 0) {
1189                int err = errno;
1190
1191#ifdef STRIP_EXTENSION
1192                strbuf_addstr(&path, STRIP_EXTENSION);
1193                if (access(path.buf, X_OK) >= 0)
1194                        return path.buf;
1195                if (errno == EACCES)
1196                        err = errno;
1197#endif
1198
1199                if (err == EACCES && advice_ignored_hook) {
1200                        static struct string_list advise_given = STRING_LIST_INIT_DUP;
1201
1202                        if (!string_list_lookup(&advise_given, name)) {
1203                                string_list_insert(&advise_given, name);
1204                                advise(_("The '%s' hook was ignored because "
1205                                         "it's not set as executable.\n"
1206                                         "You can disable this warning with "
1207                                         "`git config advice.ignoredHook false`."),
1208                                       path.buf);
1209                        }
1210                }
1211                return NULL;
1212        }
1213        return path.buf;
1214}
1215
1216int run_hook_ve(const char *const *env, const char *name, va_list args)
1217{
1218        struct child_process hook = CHILD_PROCESS_INIT;
1219        const char *p;
1220
1221        p = find_hook(name);
1222        if (!p)
1223                return 0;
1224
1225        argv_array_push(&hook.args, p);
1226        while ((p = va_arg(args, const char *)))
1227                argv_array_push(&hook.args, p);
1228        hook.env = env;
1229        hook.no_stdin = 1;
1230        hook.stdout_to_stderr = 1;
1231
1232        return run_command(&hook);
1233}
1234
1235int run_hook_le(const char *const *env, const char *name, ...)
1236{
1237        va_list args;
1238        int ret;
1239
1240        va_start(args, name);
1241        ret = run_hook_ve(env, name, args);
1242        va_end(args);
1243
1244        return ret;
1245}
1246
1247struct io_pump {
1248        /* initialized by caller */
1249        int fd;
1250        int type; /* POLLOUT or POLLIN */
1251        union {
1252                struct {
1253                        const char *buf;
1254                        size_t len;
1255                } out;
1256                struct {
1257                        struct strbuf *buf;
1258                        size_t hint;
1259                } in;
1260        } u;
1261
1262        /* returned by pump_io */
1263        int error; /* 0 for success, otherwise errno */
1264
1265        /* internal use */
1266        struct pollfd *pfd;
1267};
1268
1269static int pump_io_round(struct io_pump *slots, int nr, struct pollfd *pfd)
1270{
1271        int pollsize = 0;
1272        int i;
1273
1274        for (i = 0; i < nr; i++) {
1275                struct io_pump *io = &slots[i];
1276                if (io->fd < 0)
1277                        continue;
1278                pfd[pollsize].fd = io->fd;
1279                pfd[pollsize].events = io->type;
1280                io->pfd = &pfd[pollsize++];
1281        }
1282
1283        if (!pollsize)
1284                return 0;
1285
1286        if (poll(pfd, pollsize, -1) < 0) {
1287                if (errno == EINTR)
1288                        return 1;
1289                die_errno("poll failed");
1290        }
1291
1292        for (i = 0; i < nr; i++) {
1293                struct io_pump *io = &slots[i];
1294
1295                if (io->fd < 0)
1296                        continue;
1297
1298                if (!(io->pfd->revents & (POLLOUT|POLLIN|POLLHUP|POLLERR|POLLNVAL)))
1299                        continue;
1300
1301                if (io->type == POLLOUT) {
1302                        ssize_t len = xwrite(io->fd,
1303                                             io->u.out.buf, io->u.out.len);
1304                        if (len < 0) {
1305                                io->error = errno;
1306                                close(io->fd);
1307                                io->fd = -1;
1308                        } else {
1309                                io->u.out.buf += len;
1310                                io->u.out.len -= len;
1311                                if (!io->u.out.len) {
1312                                        close(io->fd);
1313                                        io->fd = -1;
1314                                }
1315                        }
1316                }
1317
1318                if (io->type == POLLIN) {
1319                        ssize_t len = strbuf_read_once(io->u.in.buf,
1320                                                       io->fd, io->u.in.hint);
1321                        if (len < 0)
1322                                io->error = errno;
1323                        if (len <= 0) {
1324                                close(io->fd);
1325                                io->fd = -1;
1326                        }
1327                }
1328        }
1329
1330        return 1;
1331}
1332
1333static int pump_io(struct io_pump *slots, int nr)
1334{
1335        struct pollfd *pfd;
1336        int i;
1337
1338        for (i = 0; i < nr; i++)
1339                slots[i].error = 0;
1340
1341        ALLOC_ARRAY(pfd, nr);
1342        while (pump_io_round(slots, nr, pfd))
1343                ; /* nothing */
1344        free(pfd);
1345
1346        /* There may be multiple errno values, so just pick the first. */
1347        for (i = 0; i < nr; i++) {
1348                if (slots[i].error) {
1349                        errno = slots[i].error;
1350                        return -1;
1351                }
1352        }
1353        return 0;
1354}
1355
1356
1357int pipe_command(struct child_process *cmd,
1358                 const char *in, size_t in_len,
1359                 struct strbuf *out, size_t out_hint,
1360                 struct strbuf *err, size_t err_hint)
1361{
1362        struct io_pump io[3];
1363        int nr = 0;
1364
1365        if (in)
1366                cmd->in = -1;
1367        if (out)
1368                cmd->out = -1;
1369        if (err)
1370                cmd->err = -1;
1371
1372        if (start_command(cmd) < 0)
1373                return -1;
1374
1375        if (in) {
1376                io[nr].fd = cmd->in;
1377                io[nr].type = POLLOUT;
1378                io[nr].u.out.buf = in;
1379                io[nr].u.out.len = in_len;
1380                nr++;
1381        }
1382        if (out) {
1383                io[nr].fd = cmd->out;
1384                io[nr].type = POLLIN;
1385                io[nr].u.in.buf = out;
1386                io[nr].u.in.hint = out_hint;
1387                nr++;
1388        }
1389        if (err) {
1390                io[nr].fd = cmd->err;
1391                io[nr].type = POLLIN;
1392                io[nr].u.in.buf = err;
1393                io[nr].u.in.hint = err_hint;
1394                nr++;
1395        }
1396
1397        if (pump_io(io, nr) < 0) {
1398                finish_command(cmd); /* throw away exit code */
1399                return -1;
1400        }
1401
1402        return finish_command(cmd);
1403}
1404
1405enum child_state {
1406        GIT_CP_FREE,
1407        GIT_CP_WORKING,
1408        GIT_CP_WAIT_CLEANUP,
1409};
1410
1411struct parallel_processes {
1412        void *data;
1413
1414        int max_processes;
1415        int nr_processes;
1416
1417        get_next_task_fn get_next_task;
1418        start_failure_fn start_failure;
1419        task_finished_fn task_finished;
1420
1421        struct {
1422                enum child_state state;
1423                struct child_process process;
1424                struct strbuf err;
1425                void *data;
1426        } *children;
1427        /*
1428         * The struct pollfd is logically part of *children,
1429         * but the system call expects it as its own array.
1430         */
1431        struct pollfd *pfd;
1432
1433        unsigned shutdown : 1;
1434
1435        int output_owner;
1436        struct strbuf buffered_output; /* of finished children */
1437};
1438
1439static int default_start_failure(struct strbuf *out,
1440                                 void *pp_cb,
1441                                 void *pp_task_cb)
1442{
1443        return 0;
1444}
1445
1446static int default_task_finished(int result,
1447                                 struct strbuf *out,
1448                                 void *pp_cb,
1449                                 void *pp_task_cb)
1450{
1451        return 0;
1452}
1453
1454static void kill_children(struct parallel_processes *pp, int signo)
1455{
1456        int i, n = pp->max_processes;
1457
1458        for (i = 0; i < n; i++)
1459                if (pp->children[i].state == GIT_CP_WORKING)
1460                        kill(pp->children[i].process.pid, signo);
1461}
1462
1463static struct parallel_processes *pp_for_signal;
1464
1465static void handle_children_on_signal(int signo)
1466{
1467        kill_children(pp_for_signal, signo);
1468        sigchain_pop(signo);
1469        raise(signo);
1470}
1471
1472static void pp_init(struct parallel_processes *pp,
1473                    int n,
1474                    get_next_task_fn get_next_task,
1475                    start_failure_fn start_failure,
1476                    task_finished_fn task_finished,
1477                    void *data)
1478{
1479        int i;
1480
1481        if (n < 1)
1482                n = online_cpus();
1483
1484        pp->max_processes = n;
1485
1486        trace_printf("run_processes_parallel: preparing to run up to %d tasks", n);
1487
1488        pp->data = data;
1489        if (!get_next_task)
1490                die("BUG: you need to specify a get_next_task function");
1491        pp->get_next_task = get_next_task;
1492
1493        pp->start_failure = start_failure ? start_failure : default_start_failure;
1494        pp->task_finished = task_finished ? task_finished : default_task_finished;
1495
1496        pp->nr_processes = 0;
1497        pp->output_owner = 0;
1498        pp->shutdown = 0;
1499        pp->children = xcalloc(n, sizeof(*pp->children));
1500        pp->pfd = xcalloc(n, sizeof(*pp->pfd));
1501        strbuf_init(&pp->buffered_output, 0);
1502
1503        for (i = 0; i < n; i++) {
1504                strbuf_init(&pp->children[i].err, 0);
1505                child_process_init(&pp->children[i].process);
1506                pp->pfd[i].events = POLLIN | POLLHUP;
1507                pp->pfd[i].fd = -1;
1508        }
1509
1510        pp_for_signal = pp;
1511        sigchain_push_common(handle_children_on_signal);
1512}
1513
1514static void pp_cleanup(struct parallel_processes *pp)
1515{
1516        int i;
1517
1518        trace_printf("run_processes_parallel: done");
1519        for (i = 0; i < pp->max_processes; i++) {
1520                strbuf_release(&pp->children[i].err);
1521                child_process_clear(&pp->children[i].process);
1522        }
1523
1524        free(pp->children);
1525        free(pp->pfd);
1526
1527        /*
1528         * When get_next_task added messages to the buffer in its last
1529         * iteration, the buffered output is non empty.
1530         */
1531        strbuf_write(&pp->buffered_output, stderr);
1532        strbuf_release(&pp->buffered_output);
1533
1534        sigchain_pop_common();
1535}
1536
1537/* returns
1538 *  0 if a new task was started.
1539 *  1 if no new jobs was started (get_next_task ran out of work, non critical
1540 *    problem with starting a new command)
1541 * <0 no new job was started, user wishes to shutdown early. Use negative code
1542 *    to signal the children.
1543 */
1544static int pp_start_one(struct parallel_processes *pp)
1545{
1546        int i, code;
1547
1548        for (i = 0; i < pp->max_processes; i++)
1549                if (pp->children[i].state == GIT_CP_FREE)
1550                        break;
1551        if (i == pp->max_processes)
1552                die("BUG: bookkeeping is hard");
1553
1554        code = pp->get_next_task(&pp->children[i].process,
1555                                 &pp->children[i].err,
1556                                 pp->data,
1557                                 &pp->children[i].data);
1558        if (!code) {
1559                strbuf_addbuf(&pp->buffered_output, &pp->children[i].err);
1560                strbuf_reset(&pp->children[i].err);
1561                return 1;
1562        }
1563        pp->children[i].process.err = -1;
1564        pp->children[i].process.stdout_to_stderr = 1;
1565        pp->children[i].process.no_stdin = 1;
1566
1567        if (start_command(&pp->children[i].process)) {
1568                code = pp->start_failure(&pp->children[i].err,
1569                                         pp->data,
1570                                         pp->children[i].data);
1571                strbuf_addbuf(&pp->buffered_output, &pp->children[i].err);
1572                strbuf_reset(&pp->children[i].err);
1573                if (code)
1574                        pp->shutdown = 1;
1575                return code;
1576        }
1577
1578        pp->nr_processes++;
1579        pp->children[i].state = GIT_CP_WORKING;
1580        pp->pfd[i].fd = pp->children[i].process.err;
1581        return 0;
1582}
1583
1584static void pp_buffer_stderr(struct parallel_processes *pp, int output_timeout)
1585{
1586        int i;
1587
1588        while ((i = poll(pp->pfd, pp->max_processes, output_timeout)) < 0) {
1589                if (errno == EINTR)
1590                        continue;
1591                pp_cleanup(pp);
1592                die_errno("poll");
1593        }
1594
1595        /* Buffer output from all pipes. */
1596        for (i = 0; i < pp->max_processes; i++) {
1597                if (pp->children[i].state == GIT_CP_WORKING &&
1598                    pp->pfd[i].revents & (POLLIN | POLLHUP)) {
1599                        int n = strbuf_read_once(&pp->children[i].err,
1600                                                 pp->children[i].process.err, 0);
1601                        if (n == 0) {
1602                                close(pp->children[i].process.err);
1603                                pp->children[i].state = GIT_CP_WAIT_CLEANUP;
1604                        } else if (n < 0)
1605                                if (errno != EAGAIN)
1606                                        die_errno("read");
1607                }
1608        }
1609}
1610
1611static void pp_output(struct parallel_processes *pp)
1612{
1613        int i = pp->output_owner;
1614        if (pp->children[i].state == GIT_CP_WORKING &&
1615            pp->children[i].err.len) {
1616                strbuf_write(&pp->children[i].err, stderr);
1617                strbuf_reset(&pp->children[i].err);
1618        }
1619}
1620
1621static int pp_collect_finished(struct parallel_processes *pp)
1622{
1623        int i, code;
1624        int n = pp->max_processes;
1625        int result = 0;
1626
1627        while (pp->nr_processes > 0) {
1628                for (i = 0; i < pp->max_processes; i++)
1629                        if (pp->children[i].state == GIT_CP_WAIT_CLEANUP)
1630                                break;
1631                if (i == pp->max_processes)
1632                        break;
1633
1634                code = finish_command(&pp->children[i].process);
1635
1636                code = pp->task_finished(code,
1637                                         &pp->children[i].err, pp->data,
1638                                         pp->children[i].data);
1639
1640                if (code)
1641                        result = code;
1642                if (code < 0)
1643                        break;
1644
1645                pp->nr_processes--;
1646                pp->children[i].state = GIT_CP_FREE;
1647                pp->pfd[i].fd = -1;
1648                child_process_init(&pp->children[i].process);
1649
1650                if (i != pp->output_owner) {
1651                        strbuf_addbuf(&pp->buffered_output, &pp->children[i].err);
1652                        strbuf_reset(&pp->children[i].err);
1653                } else {
1654                        strbuf_write(&pp->children[i].err, stderr);
1655                        strbuf_reset(&pp->children[i].err);
1656
1657                        /* Output all other finished child processes */
1658                        strbuf_write(&pp->buffered_output, stderr);
1659                        strbuf_reset(&pp->buffered_output);
1660
1661                        /*
1662                         * Pick next process to output live.
1663                         * NEEDSWORK:
1664                         * For now we pick it randomly by doing a round
1665                         * robin. Later we may want to pick the one with
1666                         * the most output or the longest or shortest
1667                         * running process time.
1668                         */
1669                        for (i = 0; i < n; i++)
1670                                if (pp->children[(pp->output_owner + i) % n].state == GIT_CP_WORKING)
1671                                        break;
1672                        pp->output_owner = (pp->output_owner + i) % n;
1673                }
1674        }
1675        return result;
1676}
1677
1678int run_processes_parallel(int n,
1679                           get_next_task_fn get_next_task,
1680                           start_failure_fn start_failure,
1681                           task_finished_fn task_finished,
1682                           void *pp_cb)
1683{
1684        int i, code;
1685        int output_timeout = 100;
1686        int spawn_cap = 4;
1687        struct parallel_processes pp;
1688
1689        pp_init(&pp, n, get_next_task, start_failure, task_finished, pp_cb);
1690        while (1) {
1691                for (i = 0;
1692                    i < spawn_cap && !pp.shutdown &&
1693                    pp.nr_processes < pp.max_processes;
1694                    i++) {
1695                        code = pp_start_one(&pp);
1696                        if (!code)
1697                                continue;
1698                        if (code < 0) {
1699                                pp.shutdown = 1;
1700                                kill_children(&pp, -code);
1701                        }
1702                        break;
1703                }
1704                if (!pp.nr_processes)
1705                        break;
1706                pp_buffer_stderr(&pp, output_timeout);
1707                pp_output(&pp);
1708                code = pp_collect_finished(&pp);
1709                if (code) {
1710                        pp.shutdown = 1;
1711                        if (code < 0)
1712                                kill_children(&pp, -code);
1713                }
1714        }
1715
1716        pp_cleanup(&pp);
1717        return 0;
1718}