arivas_2005 wrote: Sat Mar 27, 2021 4:23 pm
My greeting
I want to create a variable in a script and leave it defined to be able to deposit data and rescue it in another script:
you have script1.sh
and script2.sh
This will not work:
because the script1 is opened in a subshell and script2 is opened in another subshell.
This will:
because script1 is opened in a current shell and the variable VAR is exported.
To understand what's going on, if you run script1 in a current shell you can access the variable:
As long as the terminal is open and the shell is alive, that variable will be there.
If the variable is not exported in the script1, the script2 can use the variable if it's started in the same shell.
Let's reopen the terminal and, say, declare a variable VAR in the current shell and try to access it in a subshell and current shell.
Now let's open a subshell and try to access VAR.
Code: Select all
VAR=1 # Declare a variable
bash # Open a subshell
. script2.sh # Run script2 in a current shell
./script2.sh # Run script2 in a subshell
exit # exit subshell
. script2.sh # Now it works
1
When exporting a variable it's exposed to the subshells
Code: Select all
export VAR=1 # Declare a variable
bash # Open a subshell
. script2.sh # Run script2 in a current shell
1
./script2.sh # Run script2 in a subshell
1
exit # exit subshell
. script2.sh
1
./script2.sh
1
But variables live as long as the shell lives.
To keep the variables after the shell is closed or terminal dies, they need to be stored in a file.
And then the variables are imported in a current shell.
Code: Select all
cat vars
VAR=2
. vars
echo ${VAR}
2
The temp file method you already know:
Code: Select all
tmp="$(mktemp -p /tmp)"
echo "VAR=3" > $tmp
. $tmp
echo ${VAR}
3
On a side note, the file can be in RAM also.
Code: Select all
ramtmp="$(mktemp -p /dev/shm/)"
echo "VAR=3" > $ramtmp
. $ramtmp
echo ${VAR}
3
Shared memory is a method of inter-process communication (IPC),
i.e. a way of exchanging data between programs running at the same time.
One process will create an area in RAM which other processes can access;
/dev/shm is used only when you need a performance boost, when your apps require high I/O bandwidth.
Remember that /tmp can be part of the / filesystem instead of a separate mount, and hence can grow as required.
The size of /dev/shm is limited by excess RAM on the system, and hence you're more likely to run out of space on this filesystem.
Shm is not standard on all distros.
In practice should never use /dev/shm,
unless the file is very small and you have enough RAM and swap, and you want to minimize disk i/o.
It's almost always preferable to use /tmp instead.