bash—Better way to store variable between runs? bash—Better way to store variable between runs? bash bash

bash—Better way to store variable between runs?


There's no need to use var; x will be in scope for the current shell. Alternately,

read var < var.txt# do stuff with varecho $var > var.txt

I recommend using a simple text file to store the variable. However, there is the (highly questionable) option of a self-modifying script. FOR ENTERTAINMENT PURPOSES ONLY!

#!/bin/bashread val < <( tail -n 1 "$0" )(( val++ ))echo "$val"tmp=$(mktemp /tmp/XXXXXXX)sed '$s/.*/'$val'/' "$0" > "$tmp"mv "$tmp" "$0"exit0

The key is to have the next-to-last line be the exit command, so nothing after it will execute. The last line is the variable value you want to persist. When the script runs, it reads from its own last line. Before it exits, it uses sed to write a copy of itself toa temp file, with the last line modified with the current value of the persistent value. Then we overwrite the current script with the temp file (assuming we will have permission to do so).

But seriously? Don't do this.


I know this is an old question. But, I still decide to post my solution here in the hope that it might be helpful to others who come here in search of a way to serialize env vars between sessions.

The simple way is just write "var_name=var_value" into a file, say "./environ". And then "source ./envrion" in following sessions. For example:

echo "var1=$var1" > ./environ

A more comprehensive (and elegant?) way which persist all attributes of variables is to make use of "declare -p":

declare -p var1 var2 > ./environ# NOTE: no '$' before var1, var2

Later on, after "source ./envrion" you can get var1 var2 with all attributes restored in addition to its value. This means it can handle arrays, integers etc.

One caveat for the "declare -p xx", though: if you wrap the "source ./environ" into a function, then all sourced variables are visible within the function only because "declare" by default declares variables as local ones. To circumvent this, you may either "source" out of any function (or in your "main" function) or modify the ./environ to add "-g" after declare (which makes corresponding variable global). For instance:

sed -i 's/^declare\( -g\)*/declare -g/' ./environ# "\( -g\)?" ensure no duplication of "-g"


1- You can simplify your script, as you only have one variable

var=`cat var.txt`# Do some stuff, change var to a new value   echo $var > var.txt

2- You can store your variable in the environment:

export var# Do some stuff, change var to a new value

But you'll need to prompt it . script.ksh (dot at the beggining). But it shouldn't have 'exit' in it and i'm not sure this would work in cron...