基于这三个问题:
...我已经把脚本放在一起testlogredir.sh
,包括在下面。它试图做的是:运行三个命令,其 stdout 和 stderr 输出将同时记录到终端和日志文件;然后再运行两个命令,其 stdout 和 stderr 输出仅发送到终端。实际上,它开始和停止将脚本的终端输出重定向到日志文件,同时保留终端输出。
有趣的是,如果我sleep
在停止日志到文件后使用 a ,一切都会按预期工作:
$ bash testlogredir.sh 1 y
--- testlogredir.sh METHOD=1 DOSLEEP=y ---
aaa
bbb
ccc
ddd
eee
$ cat test.log
aaa
bbb
ccc
...并且运行也获得了相同的结果bash testlogredir.sh 2 y
。
有趣的是,如果我不使用 sleep (也将获得相同的输出bash testlogredir.sh 1
):
$ bash testlogredir.sh 2
--- testlogredir.sh METHOD=2 DOSLEEP= ---
ddd
eee
$ aaa
bbb
ccc
^C
$ cat test.log
aaa
bbb
ccc
...值得注意的是,最后一个“ ddd
”和“ eee
”首先输出到终端;然后出现提示,然后输出第一个“ aaa
”、“ bbb
”、“ ccc
”-整个过程(b)锁定;所以我必须按 Ctrl-C (^C) 退出它。但是,日志文件确实具有预期的内容。
我推测在没有睡眠的情况下,bash 解释器在脚本中运行得如此之快,以至于它首先设法回显“最后”两个“ ”ddd
和“ eee
” ——然后才输出它存储的内容(注意这是不是由于 的缓冲行为,因为我也尝试过获得相同的结果),显然它是阻塞的。因此,添加, 在某种程度上使 bash 脚本与(子?)进程“同步”。tee
tee
stdbuf
tee
sleep
tee
显然,我希望命令输出按顺序显示 - 而且它sleep
本身并没有给我带来太多困扰,因为我可以将其设置为sleep 0.1
几乎没有注意到它。但我不得不问 - 这是从脚本中进行这种启动/停止“ tee
”重定向的正确方法吗?bash
换句话说 - 有没有替代使用sleep
来实现这种“同步”,可以这么说?
测试日志目录.sh
#!/usr/bin/env bash
# testlogredir.sh
# defaults:
METHOD="1" # or "2"
DOSLEEP="" # or "y"
if [ "$1" ] ; then
METHOD="$1" ;
fi
if [ "$2" ] ; then
DOSLEEP="$2" ;
fi
# this should be echoed only to terminal
echo " --- $0 METHOD=$METHOD DOSLEEP=$DOSLEEP ---"
# silent remove of test.log
rm -f test.log
if [ $METHOD == "1" ] ; then
# Redirect 3 into (use fd3 as reference to) /dev/stdout
exec 3> /dev/stdout
# Redirect 4 into (use fd4 as reference to) /dev/stderr
exec 4> /dev/stderr
fi
if [ $METHOD == "2" ] ; then
# backup the original filedescriptors, first
# stdout (1) into fd6; stderr (2) into fd7
exec 6<&1
exec 7<&2
fi
# Redirect stdout ( > ) into a named pipe ( >() ) running "tee"
#~ exec > >(stdbuf -i0 -o0 tee test.log)
exec > >(tee test.log)
# Redirect stderr (2) into stdout (1)
exec 2>&1
# these should be echoed both to terminal and log
echo "aaa"
echo "bbb"
echo "ccc" >&2
if [ $METHOD == "1" ] ; then
# close current stdout, stderr
exec 1>&-
exec 2>&-
# Redirect stdout (1) and stderr (2)
exec 1>&3
exec 2>&1
fi
if [ $METHOD == "2" ] ; then
# close and restore backup; both stdout and stderr
exec 1<&6 6<&-
exec 2<&7 2<&-
# Redirect stderr (2) into stdout (1)
exec 2>&1
fi
if [ "$DOSLEEP" ] ; then
sleep 1 ;
fi
# these should be echoed only to terminal
echo "ddd"
echo "eee" >&2
exit