3

我正在尝试编写一个脚本,该脚本调用另一个脚本并根据输入使用一次或循环使用它。

我编写了一个脚本,它简单地在文件中搜索模式,然后打印文件名并列出找到搜索的行。那个脚本在这里

#!/bin/bash

if [[ $# < 2 ]]
then
  echo "error: must provide 2 arguments."
  exit -1
fi

if [[ -e $2 ]]
then
    echo "error: second argument must be a file."
    exit -2
fi

echo "------ File =" $2 "------"
grep -ne $1 $2

所以现在我想写一个新的脚本来调用它,用户只输入一个文件作为第二个参数,如果他们选择一个目录,也会循环并搜索目录中的所有文件。

所以如果输入是:

./searchscript if testfile

它只会使用脚本,但如果输入是:

./searchscript if Desktop

它将循环搜索所有文件。

我的心像往常一样为你们奔跑。

4

4 回答 4

1

类似的东西可以工作:

#!/bin/bash

do_for_file() {
    grep "$1" "$2"
}

do_for_dir() {
    cd "$2" || exit 1
    for file in *
    do
        do_for "$1" "$file"
    done
    cd ..
}

do_for() {
    where="file"
    [[ -d "$2" ]] && where=dir
    do_for_$where "$1" "$2"
}

do_for "$1" "$2"
于 2013-06-20T18:52:13.447 回答
1

呃......也许太简单了,但是让“grep”完成所有工作怎么样?

#myscript
if [ $# -lt 2 ]
then
  echo "error: must provide 2 arguments."
  exit -1
fi

if [ -e "$2" ]
then
    echo "error: second argument must be a file."
    exit -2
fi
echo "------ File =" $2 "------"
grep -rne "$1" "$2"  

我只是在 grep 调用中添加了“-r”:如果它是一个文件,则没有递归,如果它是一个目录,它将递归它。

您甚至可以摆脱参数检查并让 grep 显示适当的错误消息:(保留引号,否则将失败)

#myscript
grep -rne "$1" "$2"  
于 2013-06-20T19:29:32.620 回答
1

这个怎么样:

#!/bin/bash

dirSearch() {
   for file in $(find $2 -type f) 
   do 
      ./searchscript $file
   done
}

if [ -d $2 ]
then
    dirSearch
elif [ -e $2 ]
then
    ./searchscript $2
fi

或者,如果您不想解析 find 的输出,您可以执行以下操作:

#!/bin/bash

if [ -d $2 ]
then
   find $2 -type f -exec ./searchscript {} \;
elif [ -e $2 ]
then
   ./searchscript $2
fi
于 2013-06-20T18:18:20.917 回答
0

假设您不想递归搜索:

#!/bin/bash

location=shift

if [[ -d $location ]]
then
   for file in $location/*
   do
       your_script $file
   done
else 
   # Insert a check for whether $location is a real file and exists, if needed
   your_script $location 
fi

"in $location/* $location/.*"注意1:这有一个微妙的错误:如果目录中的某些文件以“。”开头,据我所知,“for *”循环将看不到它们,因此您需要添加

注意 2:如果您想要递归搜索,请改用 find:

in `find $location`
于 2013-06-20T18:14:37.077 回答