如何访问eval'd命令的bash PIPESTATUS数组?

时间:2014-02-19 10:51:10

标签: bash

我有这段代码:

error(){
    time=$( date +"%T %F" )
    echo "Start : ${time} : ${1}" 1>&2

    result=$( eval "${1}" )
    if [ `echo "${PIPESTATUS[@]}" | tr -s ' ' + | bc` -ne 0 ]; then 
        echo "command ${1} return ERROR" 1>&2
        exit
    else
        if [ "${2}" != "silent" ]; then
          echo "${result}"
        fi
    fi
}

我开始测试命令:

error "ifconfig | wc -l" "silent"
Start : 14:41:53 2014-02-19 : ifconfig | wc -l

error "ifconfiggg | wc -l" "silent"
Start : 14:43:13 2014-02-19 : ifconfiggg | wc -l
./install-streamserver.sh: line 42: ifconfiggg: command not found

但是,我期待不同的结果。例如:

error "ifconfig" "silent"
Start : 14:44:52 2014-02-19 : ifconfig

Start : 14:45:40 2014-02-19 : ifconfiggg
./install-streamserver.sh: line 42: ifconfiggg: command not found
command ifconfiggg return ERROR  (<<<<<<<<<<<< This message)

我没有它,因为当bash运行带有eval的命令时,如

 eval "ifconfiggg | wc -l"

$ PIPESTATUS [@]数组只包含“0”而不是预期的“1 0”。

我该如何解决这个问题?

2 个答案:

答案 0 :(得分:3)

eval启动一个新的shell上下文,它有一个单独的PIPESTATUS[]数组。当eval结束时,此上下文的生命周期结束。您可以通过分配给变量(例如PIPE)将此数组传递给父上下文,如下所示:

$ eval 'ifconfiggg | wc -l; PIPE=${PIPESTATUS[@]}'
bash: ifconfiggg: command not found
0
$ echo $PIPE
127 0

请注意单引号以防止${PIPESTATUS[@]}过早扩展。

将此包装在另一个result=$(...)中不起作用,因为这会创建另一个shell上下文。我建议改为

eval "${1}; "'PIPE=${PIPESTATUS[@]}' >result.out 2>result.err
# do something with $PIPE here
# do something with result.out or result.err here

请注意使用双引号后跟单引号。

答案 1 :(得分:0)

感谢@Jens 发布此信息。我注意到

eval "${1}; "'PIPE=${PIPESTATUS[@]}' >result.out 2>result.err

最好在数组 PIPESTATUS 周围使用括号。否则它似乎被解释为字符串,并且完整的结果仅在 ${PIPESTATUS[0]} 中。所以

eval "${1}; "'PIPE=(${PIPESTATUS[@]})' >result.out 2>result.err

按预期工作。