尝试创建一个文件来调用另一个文件进行循环搜索

时间:2013-06-20 18:09:32

标签: linux bash shell scripting

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

我编写了一个脚本,只需在文件中搜索模式,然后打印文件名并列出搜索结果的行。那个脚本就在这里

#!/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 个答案:

答案 0 :(得分: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

答案 1 :(得分: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"

答案 2 :(得分: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”:如果它是一个文件,没有递归,如果它是一个dir,它就会递归到它。

你甚至可以摆脱参数检查并让grep barf得到相应的错误消息:(保留引号或者这将失败)

#myscript
grep -rne "$1" "$2"  

答案 3 :(得分: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

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

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

in `find $location`