我知道如何使用tee将aaa.sh的输出(标准输出)写入bbb。退出,同时仍然显示在终端中:
./aaa.sh | tee bbb.out
我现在如何将标准错误写入一个名为ccc的文件。退出,同时仍然显示它?
我知道如何使用tee将aaa.sh的输出(标准输出)写入bbb。退出,同时仍然显示在终端中:
./aaa.sh | tee bbb.out
我现在如何将标准错误写入一个名为ccc的文件。退出,同时仍然显示它?
当前回答
感谢lhunath在POSIX中的回答。
下面是我在POSIX中需要的一个更复杂的情况:
# Start script main() function
# - We redirect standard output to file_out AND terminal
# - We redirect standard error to file_err, file_out AND terminal
# - Terminal and file_out have both standard output and standard error, while file_err only holds standard error
main() {
# my main function
}
log_path="/my_temp_dir"
pfout_fifo="${log_path:-/tmp}/pfout_fifo.$$"
pferr_fifo="${log_path:-/tmp}/pferr_fifo.$$"
mkfifo "$pfout_fifo" "$pferr_fifo"
trap 'rm "$pfout_fifo" "$pferr_fifo"' EXIT
tee -a "file_out" < "$pfout_fifo" &
tee -a "file_err" < "$pferr_fifo" >>"$pfout_fifo" &
main "$@" >"$pfout_fifo" 2>"$pferr_fifo"; exit
其他回答
简单:
./aaa.sh 2>&1 | tee -a log
这只是简单地将标准错误重定向到标准输出,因此tee对日志和屏幕都进行回显。也许我遗漏了一些东西,因为其他的解看起来很复杂。
注意:从Bash版本4开始,你可以使用|&作为2>和1 |的缩写:
./aaa.sh |& tee -a log
在我的例子中,一个脚本正在运行命令,同时将stdout和stderr重定向到一个文件,类似于:
cmd > log 2>&1
我需要更新它,以便在出现故障时,根据错误消息采取一些操作。当然,我可以删除dup 2>&1并从脚本中捕获stderr,但是错误消息不会进入日志文件以供参考。虽然从lhunath接受的答案应该做同样的事情,它将stdout和stderr重定向到不同的文件,这不是我想要的,但它帮助我提出了我需要的确切解决方案:
(cmd 2> >(tee /dev/stderr)) > log
通过上述操作,log将同时拥有标准输出和标准错误的副本,并且我可以从脚本中捕获标准错误,而不必担心标准错误。
发送到标准错误(STDERR)的编译错误可以通过以下方法重定向或保存到文件:
Bash:
gcc temp.c &> error.log
C shell (csh)
% gcc temp.c |& tee error.log
参见:如何将编译/构建错误重定向到文件?
如果使用Bash:
# Redirect standard out and standard error separately
% cmd >stdout-redirect 2>stderr-redirect
# Redirect standard error and out together
% cmd >stdout-redirect 2>&1
# Merge standard error with standard out and pipe
% cmd 2>&1 |cmd2
信用(不回答从我的头顶)在这里:Re: bash: stderr & more(管道为stderr)
以下将适用于KornShell (ksh),其中进程替代不可用,
# create a combined (standard input and standard output) collector
exec 3 <> combined.log
# stream standard error instead of standard output to tee, while draining all standard output to the collector
./aaa.sh 2>&1 1>&3 | tee -a stderr.log 1>&3
# cleanup collector
exec 3>&-
这里真正的技巧是2>&1 1>&3的序列,在我们的例子中,它将标准错误重定向到标准输出,并将标准输出重定向到文件描述符3。此时,标准误差和标准输出还没有结合起来。
实际上,标准错误(作为标准输入)被传递给tee, tee在那里将日志记录到stderr.log,并重定向到文件描述符3。
文件描述符3一直将其记录到combined。log。因此,combine .log包含标准输出和标准错误。