我正在Bash中编写一个脚本来测试一些代码。但是,如果编译代码一开始就失败了,那么运行测试似乎很愚蠢,在这种情况下,我将中止测试。

有没有一种方法,我可以这样做,而不包装整个脚本在一个while循环和使用中断?像是叮叮当当的后藤?


当前回答

而不是if结构,你可以利用短路计算:

#!/usr/bin/env bash

echo $[1+1]
echo $[2/0]              # division by 0 but execution of script proceeds
echo $[3+1]
(echo $[4/0]) || exit $? # script halted with code 1 returned from `echo`
echo $[5+1]

注意,由于交替运算符的优先级,必须使用一对括号。$? 是一个特殊变量,设置为退出最近调用的命令的代码。

其他回答

而不是if结构,你可以利用短路计算:

#!/usr/bin/env bash

echo $[1+1]
echo $[2/0]              # division by 0 but execution of script proceeds
echo $[3+1]
(echo $[4/0]) || exit $? # script halted with code 1 returned from `echo`
echo $[5+1]

注意,由于交替运算符的优先级,必须使用一对括号。$? 是一个特殊变量,设置为退出最近调用的命令的代码。

如果您将使用source调用脚本,您可以使用return <x>,其中<x>将是脚本退出状态(使用非零值表示错误或false)。但是如果你调用一个可执行脚本(即直接使用它的文件名),return语句将导致一个抱怨(错误消息“return:只能从函数或源脚本中' return'”)。

如果使用exit <x>代替,当使用source调用脚本时,它将导致退出启动脚本的shell,但可执行脚本将如预期的那样终止。

要在同一个脚本中处理这两种情况,可以使用

return <x> 2> /dev/null || exit <x>

这将处理任何合适的调用。这是假设您将在脚本的顶层使用此语句。我建议不要直接从函数中退出脚本。

注意:<x>应该只是一个数字。

#!/bin/bash -x

# exit and report the failure if any command fails
exit_trap () {                                         # ---- (1)
  local lc="$BASH_COMMAND" rc=$?
  echo "Command [$lc] exited with code [$rc]"
}

trap exit_trap EXIT                                    # ---- (2)

set -e                                                 # ---- (3)

解释:

这个问题也是关于如何编写干净的代码。让我们把上面的脚本分成多个部分:


第一部分: exit_trap是一个函数,它在任何步骤失败时被调用,并使用$BASH_COMMAND捕获最后执行的步骤并捕获该步骤的返回代码。这是一个可以用于任何清理的函数,类似于关闭钩子

当前正在执行或即将执行的命令,除非shell作为trap的结果正在执行命令,在这种情况下,它是在trap发生时正在执行的命令。

Doc.


第二部分:

trap [action] [signal]

在出现EXIT信号时注册trap动作(这里是exit_trap函数)。


第3部分:

Exit immediately if a sequence of one or more commands returns a non-zero status. The shell does not exit if the command that fails is part of the command list immediately following a while or until keyword, part of the test in an if statement, part of any command executed in a && or || list except the command following the final && or ||, any command in a pipeline but the last, or if the command’s return status is being inverted with !. If a compound command other than a subshell returns a non-zero status because a command failed while -e was being ignored, the shell does not exit. A trap on ERR, if set, is executed before the shell exits.

Doc.


第4部分:

您可以创建一个common.sh文件,并在所有脚本中使用它。

source common.sh

我有同样的问题,但不能问,因为这将是一个重复。

当脚本稍微复杂一些时,使用exit的公认答案将不起作用。如果使用后台进程检查条件,exit只退出该进程,因为它在子shell中运行。要终止脚本,必须显式地终止它(至少这是我所知道的唯一方法)。

这里有一个关于如何做到这一点的小脚本:

#!/bin/bash

boom() {
    while true; do sleep 1.2; echo boom; done
}

f() {
    echo Hello
    N=0
    while
        ((N++ <10))
    do
        sleep 1
        echo $N
        #        ((N > 5)) && exit 4 # does not work
        ((N > 5)) && { kill -9 $$; exit 5; } # works 
    done
}

boom &
f &

while true; do sleep 0.5; echo beep; done

这是一个更好的答案,但仍然不完整,我真的不知道如何摆脱boom部分。

试试这句话:

exit 1

用适当的错误代码替换1。请参见具有特殊含义的退出代码。