在一个shell脚本,我如何回显所有shell命令调用和展开任何变量名?

例如,给定以下一行:

ls $DIRNAME

我希望脚本运行该命令并显示以下内容

ls /full/path/to/some/dir

目的是保存所有调用的shell命令及其参数的日志。是否有更好的方法来生成这样的日志?


当前回答

为了允许复合命令被回显,我使用eval加上Soth的exe函数来回显和运行命令。这对于管道命令非常有用,否则这些管道命令只显示不显示或只显示管道命令的初始部分。

没有eval:

exe() { echo "\$ $@" ; "$@" ; }
exe ls -F | grep *.txt

输出:

$
file.txt

eval:

exe() { echo "\$ $@" ; "$@" ; }
exe eval 'ls -F | grep *.txt'

的输出

$ exe eval 'ls -F | grep *.txt'
file.txt

其他回答

综合所有的答案,我发现这是最好的,最简单的

#!/bin/bash
# https://stackoverflow.com/a/64644990/8608146
exe(){
    set -x
    "$@"
    { set +x; } 2>/dev/null
}
# example
exe go generate ./...

{set +x;} 2>/dev/null from https://stackoverflow.com/a/19226038/8608146

如果需要命令的退出状态,如这里所述

Use

{ STATUS=$?; set +x; } 2>/dev/null

然后使用$STATUS,比如在最后退出$STATUS

一个稍微有用一点的

#!/bin/bash
# https://stackoverflow.com/a/64644990/8608146
_exe(){
    [ $1 == on  ] && { set -x; return; } 2>/dev/null
    [ $1 == off ] && { set +x; return; } 2>/dev/null
    echo + "$@"
    "$@"
}
exe(){
    { _exe "$@"; } 2>/dev/null
}

# examples
exe on # turn on same as set -x
echo This command prints with +
echo This too prints with +
exe off # same as set +x
echo This does not

# can also be used for individual commands
exe echo what up!

在命令行上,在bash脚本名称之前键入“bash -x”。例如,要执行foo.sh,输入:

bash -x foo.sh

Set -x或Set -o xtrace展开变量并在行前打印一个小的+号。

Set -v或Set -o verbose不会在打印之前展开变量。

使用set +x和set +v关闭上述设置。

在脚本的第一行,可以输入#!/bin/sh -x(或-v)与后面脚本中的set -x(或-v)具有相同的效果。

上面的代码也适用于/bin/sh。

关于set属性和调试,请参阅bash-hackers的wiki。

$ cat shl
#!/bin/bash                                                                     

DIR=/tmp/so
ls $DIR

$ bash -x shl 
+ DIR=/tmp/so
+ ls /tmp/so
$

对于zsh,使用echo

setopt VERBOSE

为了调试,

setopt XTRACE

您还可以通过将脚本中的选定行包装在set -x和set +x中来切换此选项,例如,

#!/bin/bash
...
if [[ ! -e $OUT_FILE ]];
then
   echo "grabbing $URL"
   set -x
   curl --fail --noproxy $SERV -s -S $URL -o $OUT_FILE
   set +x
fi