使用$...获取子命令的错误代码

问题描述

在此代码中:

echo hello > hello.txt
read X <<< $(grep hello hello.txt)
echo $?

$?表示读取语句的退出代码为0。是否有办法知道grep是否失败(例如,hello.txt是否已被另一个进程删除) ),而无需将readgrep分成两个语句(即首先grep然后检查$?然后read)。

解决方法

使用process substitution代替command substitution + here string

read X < <(grep 'hello' hello.txt)

使用1可以使您echo $?

PS:如果grep失败,它将在您的终端上写入错误。

如果您想抑制错误,请使用:

read X < <(grep 'hello' hello.txt 2>/dev/null)
,

只是:

X=$(grep hello hello.txt)
echo $?

在一般情况下,您想使用read进行单词拆分,然后使用一个临时变量:

tmp=$(grep hello hello.txt)
echo $?
IFS=' ' read -r name something somethingelse <<<"$tmp"