I have a script that process a folder, and count the files in the mean time.
i=1
find tmp -type f | while read x
do
i=$(($i + 1))
echo $i
done
echo $i
However, $i is always 1, how do I resolve this?
I have a script that process a folder, and count the files in the mean time.
i=1
find tmp -type f | while read x
do
i=$(($i + 1))
echo $i
done
echo $i
However, $i is always 1, how do I resolve this?
In your example the while-loop is executed in a subshell, so changes to the variable inside the while-loop won't affect the external variable. This is because you're using the loop with a pipe, which automatically causes it to run in a subshell.
Here is an alternative solution using a while loop:
i=1
while read x; do
i=$(($i + 1))
echo $i
done <<<$(find tmp -type f)
echo $i
And here is the same approach using a for-loop:
i=1
for x in $(find tmp -type f);
do
i=$(($i + 1))
echo $i
done
echo $i
For more information see the following posts:
Also look at the following chapter from the Advanced Bash Scripting Guide:
i=1
while read x
do
i=$(($i + 1))
echo $i
done < <(find tmp -type f)
echo $i
https://stackoverflow.com/questions/7390497/bash-propagate-value-of-variable-to-outside-of-the-loop