(再帰的に)ファイル名に「ABC」が含まれ、ファイルに「XYZ」も含まれるすべてのファイルを検索したいと考えています。私は試した:
find . -name "*ABC*" | grep -R 'XYZ'
しかし、正しい出力が得られません。
これは、grep
が標準入力から検索するファイル名を読み取れないためです。あなたがやっていることは、XYZ
を含むファイルnamesを印刷することです。代わりにfind
の-exec
オプションを使用してください:
find . -name "*ABC*" -exec grep -H 'XYZ' {} +
man find
から:
-exec command ;
Execute command; true if 0 status is returned. All following
arguments to find are taken to be arguments to the command until
an argument consisting of `;' is encountered. The string `{}'
is replaced by the current file name being processed everywhere
it occurs in the arguments to the command, not just in arguments
where it is alone, as in some versions of find.
[...]
-exec command {} +
This variant of the -exec action runs the specified command on
the selected files, but the command line is built by appending
each selected file name at the end; the total number of invoca‐
tions of the command will be much less than the number of
matched files. The command line is built in much the same way
that xargs builds its command lines. Only one instance of `{}'
is allowed within the command. The command is executed in the
starting directory.
実際に一致する行は必要ないが、少なくとも1回出現する文字列を含むファイル名のリストのみが必要な場合は、代わりにこれを使用します。
find . -name "*ABC*" -exec grep -l 'XYZ' {} +
次のコマンドが最も簡単な方法です。
grep -R --include="*ABC*" XYZ
または、大文字と小文字を区別しない検索に-i
を追加します。
grep -i -R --include="*ABC*" XYZ
… | grep -R 'XYZ'
は意味がありません。一方、-R 'XYZ'
はXYZ
ディレクトリに再帰的に作用することを意味します。一方、… | grep 'XYZ'
は、XYZ
の標準入力でパターンgrep
を探すことを意味します。\
Mac OS XまたはBSDでは、grep
はXYZ
をパターンとして扱い、文句を言います:
$ echo XYZ | grep -R 'XYZ'
grep: warning: recursive search of stdin
(standard input):XYZ
GNU grep
は文句を言いません。むしろ、XYZ
をパターンとして扱い、その標準入力を無視して、現在のディレクトリから再帰的に検索します。
あなたがするつもりだったのはおそらく
find . -name "*ABC*" | xargs grep -l 'XYZ'
…に似ています
grep -l 'XYZ' $(find . -name "*ABC*")
…どちらもgrep
に一致するファイル名でXYZ
を探すように指示します。
ただし、ファイル名に空白があると、これらの2つのコマンドが機能しなくなることに注意してください。あなたはxargs
を安全に使用することができます NUL 区切り文字として:
find . -name "*ABC*" -print0 | xargs -0 grep -l 'XYZ'
しかし、find … -exec grep -l 'XYZ' '{}' +
を使用した@terdonのソリューションはよりシンプルで優れています。