如何重定向子进程的输出?

如何重定向子进程的输出?

我正在运行以下git clone命令sudo,并且bash我想将 STDOUT 重定向到日志文件:

% sudo -u test_user bash -c "git clone https://github.com/scrooloose/nerdtree.git
/home/test_user/.vim/bundle/nerdtree >> /var/log/build_scripts.log"

发生的情况是 STDOUT 继续发送到终端。 IE

Cloning into 'nerdtree'...
remote: Counting objects: 3689, done.
[...]
Checking connectivity... done.

sudo我猜测这个问题与分叉一个新进程然后bash分叉另一个进程有关,如下所示:

% sudo -u test_user bash -c "{ git clone https://github.com/scrooloose/nerdtree.git
/home/test_user/.vim/bundle/nerdtree >> /var/log/build_scripts.log; ps f -g$$; }"  

  PID TTY      STAT   TIME COMMAND
 6556 pts/25   Ss     0:02 /usr/bin/zsh
 3005 pts/25   S+     0:00  \_ sudo -u test_user bash -c { git clone https://github.com/scrooloo
 3006 pts/25   S+     0:00      \_ bash -c { git clone https://github.com/scrooloose/nerdtree.
 3009 pts/25   R+     0:00          \_ ps f -g6556

我试过了

  • 在脚本中运行它并exec >> /var/log/build_script.log在命令之前使用
  • 将命令包装在函数中,然后调用并重定向函数输出

但我认为这些重定向仅适用于父进程,子进程默认将 STDOUT 发送到/dev/tty/25其父进程,导致输出继续到终端。
如何重定向该命令的 STDOUT?

答案1

您提到的消息不会打印到标准输出,而是打印到标准错误。因此,要捕获它们,您需要重定向标准错误而不是标准输出:

sudo -u user bash -c "git clone https://github.com/foo.git ~/foo 2>> log"

或者 STDERR 和 STDOUT:

sudo -u user bash -c "git clone https://github.com/foo.git ~/foo >> log 2>&1"

通过bash,您还可以使用&>>以下方法:

sudo -u user bash -c "git clone https://github.com/foo.git ~/foo &>> log"

csh, tcsh,zsh等价物(>>&(t)csh支持2>&1,所以这是唯一的方法):

sudo -u user csh -c "git clone https://github.com/foo.git ~/foo >>& log"

fish

sudo -u user fish -c "git clone https://github.com/foo.git ~/foo >> log ^&1"

有关不同类型的重定向运算符的更多信息,请参阅shell 的控制和重定向运算符是什么?

现在,在具体情况下git,还有另一个问题。与其他一些程序一样,git可以检测到其输出正在重定向,如果是,则停止打印进度报告。这可能是因为报告旨在实时查看,并且包含\r在保存在文件中时可能会出现问题的报告。要解决这个问题,请使用:

       --progress
       Progress status is reported on the standard error stream by default
       when it is attached to a terminal, unless -q is specified. This
       flag forces progress status even if the standard error stream is
       not directed to a terminal.

和:

sudo -u user bash -c "git clone --progress https://github.com/foo.git ~/foo >> log 2>&1"

如果您想同时看到输出保存到文件,使用tee

sudo -u user bash -c "git clone --progress https://github.com/foo.git ~/foo 2>&1 | 
    tee -a log

答案2

git clone https://github.com/scrooloose/nerdtree.git
/home/test_user/.vim/bundle/nerdtree &>> /var/log/build_scripts.log

相关内容