Reputation: 16596
I need to find all image files from directory (gif, png, jpg, jpeg).
find /path/to/ -name "*.jpg" > log
How to modify this string to find not only .jpg files?
Upvotes: 212
Views: 305852
Reputation: 12198
Adding -regextype posix-extended
option only worked in my case:
sudo find . -regextype posix-extended -regex ".*\.(css|js|jpg|jpeg|png|ico|ttf|woff|svg)" -exec chmod 0640 {} \;
Upvotes: 1
Reputation: 31371
find /path/to/ \( -iname '*.gif' -o -iname '*.jpg' \) -print0
will work. There might be a more elegant way.
Upvotes: 150
Reputation: 11
in case files have no extension we can look for file mime type
find . -type f -exec file -i {} + | awk -F': +' '{ if ($2 ~ /audio|video|matroska|mpeg/) print $1 }'
where (audio|video|matroska|mpeg) are mime types regex
&if you want to delete them:
find . -type f -exec file -i {} + | awk -F': +' '{ if ($2 ~ /audio|video|matroska|mpeg/) print $1 }' | while read f ; do
rm "$f"
done
or delete everything else but those extensions:
find . -type f -exec file -i {} + | awk -F': +' '{ if ($2 !~ /audio|video|matroska|mpeg/) print $1 }' | while read f ; do
rm "$f"
done
notice the !~ instead of ~
Upvotes: 0
Reputation: 165
In supplement to @Dennis Williamson 's response above, if you want the same regex to be case-insensitive to the file extensions, use -iregex :
find /path/to -iregex ".*\.\(jpg\|gif\|png\|jpeg\)" > log
Upvotes: 7
Reputation: 1481
find -E /path/to -regex ".*\.(jpg|gif|png|jpeg)" > log
The -E
saves you from having to escape the parens and pipes in your regex.
Upvotes: 37
Reputation: 360065
find /path/to -regex ".*\.\(jpg\|gif\|png\|jpeg\)" > log
Upvotes: 226
Reputation: 879471
find /path/to/ -type f -print0 | xargs -0 file | grep -i image
This uses the file
command to try to recognize the type of file, regardless of filename (or extension).
If /path/to
or a filename contains the string image
, then the above may return bogus hits. In that case, I'd suggest
cd /path/to
find . -type f -print0 | xargs -0 file --mime-type | grep -i image/
Upvotes: 13
Reputation: 342363
find /path -type f \( -iname "*.jpg" -o -name "*.jpeg" -o -iname "*gif" \)
Upvotes: 10