12

我想知道为什么即使有明确的退出命令,这个脚本也会继续运行。

我有两个文件:

file1.txt内容如下:

啊啊啊
bbbbbb
cccccc
dddddd
啊啊啊
ffffff
呸呸呸

file2.txt内容如下:

111111
啊啊啊
222222
333333
ffffff
444444

脚本 ( test.sh) 是这样的,两个嵌套循环检查第一个文件的任何行是否包含第二个文件的任何行。如果找到匹配项,它将中止。

#!/bin/bash
path=`dirname $0`

cat $path/file1.txt | while read line
do  
    echo $line
    cat $RUTA/file2.txt | while read another
    do
        if [ ! -z "`echo $line | grep -i $another`" ]; then
            echo "!!!!!!!!!!"
            exit 0
        fi              
    done
done 

即使在打印第一个后应该退出,我也会得到以下输出!!!!!!!!!!

啊啊啊
!!!!!!!!!!!!
bbbbbb
cccccc
dddddd
啊啊啊
ffffff
!!!!!!!!!!!!
呸呸呸

exit应该完全结束脚本的执行吗?

4

2 回答 2

17

原因是管道创建子进程。改用输入重定向,它应该可以工作

#!/bin/bash

while read -r line
do
    echo "$line"
     while read -r another
    do
        if  grep -i "$another" <<< "$line" ;then
            echo "!!!!!!!!!!"
            exit 0
        fi
    done < file2.txt
done < file1.txt

在一般情况下,输入来自另一个程序而不是来自文件,您可以使用进程替换

while read -r line
do
    echo "$line"
     while read -r another
    do
        if  grep -i "$another" <<< "$line" ;then
            echo "!!!!!!!!!!"
            exit 0
        fi
    done < <(command2)
done < <(command1)
于 2013-08-21T14:31:20.130 回答
5

while 循环在它们各自的 shell 中运行。退出一个外壳不会退出包含的外壳。美元?可能是你的朋友:

            ...
            echo "!!!!!!!!!!"
            exit 1
        fi
    done
    [ $? == 1 ] && exit 0;
done
于 2013-08-21T14:27:05.017 回答