如何在变量前后使用通配符包围find' s -name参数?

时间:2017-11-11 03:20:32

标签: bash find expansion

我有一个换行符分隔的字符串列表。我需要遍历每一行,并使用包含通配符的参数。最终结果将找到的文件附加到另一个文本文件。以下是我迄今为止尝试过的一些内容:

cat < ${INPUT} | while read -r line; do find ${SEARCH_DIR} -name $(eval *"$line"*); done >> ${OUTPUT}

我已经尝试了很多eval / $()等变体,但我还没有找到让两个星号保留的方法。大多数情况下,我得到类似于*$itemFromList的东西,但它缺少第二个星号,导致找不到文件。我认为这可能与bash扩展有关,但到目前为止我找不到任何运气。

基本上,需要为-name参数提供类似于*$itemFromList*的内容,因为该文件在我搜索的值之前和之后都有单词。

有什么想法吗?

1 个答案:

答案 0 :(得分:0)

使用双引号防止将星号解释为shell的指令,而不是find

-name "*$line*"

因此:

while read -r line; do
  line=${line%$'\r'}  # strip trailing CRs if input file is in DOS format
  find "$SEARCH_DIR" -name "*$line*"
done <"$INPUT" >>"$OUTPUT"

...或者,更好:

#!/usr/bin/env bash

## use lower-case variable names
input=$1
output=$2

args=( -false )                 # for our future find command line, start with -false
while read -r line; do
  line=${line%$'\r'}            # strip trailing CR if present
  [[ $line ]] || continue       # skip empty lines
  args+=( -o -name "*$line*" )  # add an OR clause matching if this line's substring exists
done <"$input"

# since our last command is find, use "exec" to let it replace the shell in memory
exec find "$SEARCH_DIR" '(' "${args[@]}" ')' -print >"$output"

注意:

  • 指定bash的shebang可确保扩展语法(如数组)可用。
  • 有关为什么数组是用于收集命令行参数列表的正确结构的讨论,请参阅BashFAQ #50
  • 有关环境和shell变量命名约定的相关POSIX规范,请参阅http://pubs.opengroup.org/onlinepubs/9699919799/basedefs/V1_chap08.html的第4段:全部大写名称用于对shell本身或对POSIX指定的工具有意义的变量;小写名称保留供应用程序使用。你写的那个剧本?出于规范的目的,它是一个应用程序。