bash中的条件重定向

前端之家收集整理的这篇文章主要介绍了bash中的条件重定向前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一个bash脚本,我想要安静,当没有附加tty(像从cron).
我现在正在寻找一种有条件地将输出重定向到/ dev / null的方法.
这是我想到的一个例子,但是我会在脚本中输出更多的命令
#!/bin/bash
# conditional-redirect.sh
if tty -s; then 
  REDIRECT=
else 
  REDIRECT=">& /dev/null"
fi
echo "is this visible?" $REDIRECT

不幸的是,这不行:

$./conditional-redirect.sh
is this visible?
$echo "" | ./conditional-redirect.sh 
is this visible? >& /dev/null

我不想做的是重复使用重定向或不重定向变体的所有命令:

if tty -s; then 
  echo "is this visible?"
else 
  echo "is this visible?" >& /dev/null
fi

编辑:

如果解决方案会为我提供一种以“安静”模式输出某物的方法,那将是巨大的.当事情真的错了,我可能想从cron得到通知.

对于bash,您可以使用该行:
exec &>/dev/null

这将直接从所有stdout和stderr到/ dev / null.它使用exec的非参数版本.

通常,像exec xyzzy这样的东西将用当前程序替换当前进程中的程序,但是您可以使用这个非参数版本来简单地修改重定向并保持当前的程序.

所以,在你的具体情况下,你可以使用以下的东西:

tty -s
if [[ $? -eq 1 ]] ; then
    exec &>/dev/null
fi

如果希望大部分输出被丢弃,但仍然希望输出一些东西,那么可以创建一个新的文件句柄.就像是:

tty -s
if [[ $? -eq 1 ]] ; then
  exec 3>&1 &>/dev/null
else 
  exec 3>&1
fi
echo Normal               # won't see this.
echo Failure >&3          # will see this.
原文链接:https://www.f2er.com/bash/386659.html

猜你在找的Bash相关文章