我正在编写一个简单的shell脚本,如果在文件中找到输入字符串,则该脚本应该以0退出,如果不是
则退出1INPSTR=$1
cat ~/file.txt | while read line
do
if [[ $line == *$INPSTR* ]]; then
exit 0
fi
done
#string not found
exit 1
实际发生的是,当找到字符串时,循环退出,然后shell转到"退出1"。什么是在循环中完全退出shell脚本的正确方法?
答案 0 :(得分:4)
你可以使用$来捕获子shell的返回码吗?像这样
INPSTR=$1
cat ~/file.txt | while read line
do
if [[ $line == *$INPSTR* ]]; then
exit 0
fi
done
if [[ $? -eq 0 ]]; then
exit 0
else
#string not found
exit 1
fi
答案 1 :(得分:3)
您需要避免在脚本中创建子shell,避免使用管道而不必要cat
:
INPSTR="$1"
while read -r line
do
if [[ $line == *"$INPSTR"* ]]; then
exit 0
fi
done < ~/file.txt
#string not found
exit 1
否则exit 0
仅从管道创建的子shell退出,稍后当循环结束时,从父shell使用exit 1
。