4

我正在开发一个管理一些陷阱的脚本。一开始我只用这段代码管理 INT 和 SIGTSTP 并且效果很好:

#!/bin/bash
function capture_traps() {
    echo -e "\nDoing something on exit"
    exit 1
}

trap capture_traps INT
trap capture_traps SIGTSTP
read -p "Script do its stuff here and we use read for the example we pause for time to generate trap event"
exit 0

然后我尝试添加我想要管理的新陷阱,即 SIGINT 和 SIGHUP。在第一个实例中,我这样做了(这是有效的):

#!/bin/bash
function capture_traps() {
    echo -e "\nDoing something on exit"
    exit 1
}

trap capture_traps INT
trap capture_traps SIGTSTP
trap capture_traps SIGINT
trap capture_traps SIGHUP
read -p "Script do its stuff here and we use read for the example we pause for time to generate trap event"
exit 0

然后,我决定根据陷阱在退出时做不同的事情,我不想为每个人创建不同的功能。我知道在 bash 中,您可以使用命名法遍历函数上的参数for item in $@; do,所以我尝试了,但尝试区分陷阱类型似乎不起作用。我制作了这个不起作用的代码。

#!/bin/bash
function capture_traps() {

    for item in $@; do
        case ${item} in
            INT|SIGTSTP)
                echo -e "\nDoing something on exit"
            ;;
            SIGINT|SIGHUP)
                echo -e "\nDoing another thing even more awesome"
            ;;
        esac
    done
    exit 1
}

trap capture_traps INT SIGTSTP SIGINT SIGHUP
read -p "Script do its stuff here and we use read for the example we pause for time to generate trap event"
exit 0

有什么帮助吗?必须有一种方法来改进我的代码,只对所有陷阱使用一个函数,但我不知道如何......

4

1 回答 1

4

您可以将参数传递给您的陷阱处理程序:

#!/bin/bash
function capture_traps() {

    #for item in $@; do
    case "$1" in
        INT|SIGTSTP)
            echo -e "\nDoing something on exit"
        ;;
        SIGINT|SIGHUP)
            echo -e "\nDoing another thing even more awesome"
        ;;
    esac
    #done
    exit 1
}

for f in INT SIGTSTP SIGINT SIGHUP ; do
    trap "capture_traps $f" "$f"
done

read -p "Script do its stuff here and we use read for the example we pause for time to generate trap event"
exit 0

在上面的代码中(在 cygwin,bash 4.3.46 上测试),capture_traps有一个参数:陷阱的名称。那是$1capture_traps. 由于它一次只能获取一个陷阱,因此不需要循环。

要设置陷阱,循环会遍历您想要的每个陷阱(INT SIGTSTP...)并运行

trap "capture_traps $f" "$f"

第一个参数可以比函数名更通用:它是

外壳代码 ... 每当外壳接收到信号或另一个事件时读取和执行

根据维基。因此,命令capture_traps $f(替换了陷阱名称)将在该特定陷阱上运行(第二个参数,"$f". et voila!

...刚刚意识到我应该先检查重复项:)。 这是另一个答案还有另一个

于 2016-12-16T16:42:42.833 回答