I try to search for files that may contain white spaces I try to use -print0
and set IFS
here is my script
Use read -d '' -r file
and set IFS
only for the context of read
:
find people -name '*.svg' -print0 | while IFS= read -d '' -r file; do
grep '<image' "$file" > /dev/null && echo "$file" | tee -a embeded_images.txt;
done
And quote your variables.
Though Dennis Williamson's answer is absolutely correct, it creates a subshell, which will prevent you from setting any variables inside the loop. You may consider using process substitution, as so:
while IFS= read -d '' -r file; do
grep '<image' "$file" > /dev/null && echo "$file" | tee -a embeded_images.txt
done < <(find people -name '*.svg' -print0)
The first <
indicates that you're reading from a file, and the <(find...)
is replaced by a filename (usually a handle to a pipe) that returns the output from find
directly. Because while
reads from a file instead of a pipe, your loop can set variables that are accessible from outside the scope.