Reputation: 2551
How can you perform a recursive diff of the files in two directories (a and b):
$ diff -r a b
but only look at files whose name matches a given pattern. For example, using the same syntax available in the find command, this would look like:
$ diff -r a b -name "*crazy*"
which would show diffs between files with the same name and path in a and b, which have "crazy" in their name.
Effectively, I'm looking for the opposite of the --exclude option which is available in diff.
Upvotes: 27
Views: 11931
Reputation: 448
I couldn't make it work with -X -
, so I used a different approach - let find
find the files recursively according to my requirements and let diff
compare individual files:
a="/your/dir"
b="/your/other/dir"
for f in $(find $a -name "*crazy*" | grep -oP "^$a/\K.*"); do
diff -u $a/$f $b/$f
done
Or, in one line:
a="/your/dir" && b="/your/other/dir" && for f in $(find $a -name "*crazy*" | grep -oP "^$a/\K.*"); do diff -u $a/$f $b/$f; done
This grep -oP "^$a/\K.*"
is used to extract the path relative to the directory a
, i.e. it removes /your/dir/
from /your/dir/and/a/file
, to make it and/a/file
.
Upvotes: 2
Reputation: 54551
Perhaps this is a bit indirect, but it ought to work. You can use find
to get a list of files that don't match the pattern, and then "exclude" all those files:
find a b -type f ! -name 'crazy' -printf '%f\n' | diff -r a b -X -
The -X -
will make diff
read the patterns from stdin and exclude anything that matches. This should work provided your files don't have funny chars like *
or ?
in their names. The only downside is that your diff won't include the find
command, so the listed diff
command is not that useful.
(I've only tested it with GNU find
and diff
).
EDIT:
Since only non-GNU find
doesn't have -printf
, sed
could be used as an alternative:
find a b -type f ! -name '*crazy*' -print | sed -e 's|.*/||' | diff -X - -r a b
That's also assuming that non-GNU diff
has -X
which I don't know.
Upvotes: 22