grep cat files | grep dog | grep bird
But can it be done in one command? The closest you can come with
grep is this idea:
grep 'cat.*dog.*bird' files
which has two limitations -- the words must appear in the given
order, and they cannot overlap. (The first limitation can be overcome
using egrep 'cat.*dog|dog.*cat', but this trick is
not really scalable to more than two terms.)
sed '/cat/!d; /dog/!d; /bird/!d' files
awk '/cat/ && /dog/ && /bird/' files
perl -ne 'print if /cat/ && /dog/ && /bird/' files
Okay, but what if you want to find where all the words occur in the
same paragraph? Just turn on paragraph mode by
setting RS="" in awk or by
giving the -00 option to perl:
awk '/cat/ && /dog/ && /bird/ {print $0 ORS}' RS= files
perl -n00e 'print "$_\n" if /cat/ && /dog/ && /bird/' files
And if you just want a list of the files
that contain all the words anywhere in them? Well,
perl can easily slurp in entire files if you have
the memory and you use the -0 option to set the
record separator to something that won't occur in
the file (like NUL):
perl -ln0e 'print $ARGV if /cat/ && /dog/ && /bird/' files
(Notice that as the problem gets harder, the less powerful commands
drop out.)