In my current project, I run a loop that during execution defines a variable that is required later on.
Everything worked well until I wanted to add logging with tee, so that I
later could inspect the log also in a file.
As I wanted to log both, stdout and stderr, I applied |&
(the shortcut of 2>&1 |
).
But strangely, the variable's value gets lost then.
for i in 1 2 3 ; do
# ... do something meaningful ...
myVar=test1
done |& tee test1
echo "myVar=$myVar"
Output:
myVar=
Meanwhile I found a way, that works better: When I switch to a combination of file redirection and process substitution, the variable definition works.
for i in 1 2 3 ; do
# ... do something meaningful ...
myVar=test2
done > >(tee test2 ) \
2> >(tee test2 >&2)
echo "myVar=$myVar"
Output:
myVar=foo
But I want to understand, why :-)
- Why does the value get lost in the first example?
- Why doesn't it get lost in the second?
Can you tell?
As 123 said a pipe creates a sub shell (a new scope) and a sub shell has no access to the variables of the parent shell.
The following helper function shows the PID of the shell and the value of the variable
a
.The following example creates no sub shell, because only redirection is used. Only one variable
a
is used.But this example creates a sub shell, because of the pipe. And each process has its own variable
a
.