I am trying to create a dynamic variable and assign 100
to it
#!/bin/bash
.
.
active_id=$p_val
flag_$active_id=100
But I am getting error in doing so, any help ?
I am trying to create a dynamic variable and assign 100
to it
#!/bin/bash
.
.
active_id=$p_val
flag_$active_id=100
But I am getting error in doing so, any help ?
You can use bash's declare directive and indirection feature like this:
p_val="foo"
active_id=$p_val
declare "flag_$active_id"="100"
TESTING:
> set | grep flag
flag_foo=100
UPDATE:
p_val="foo"
active_id="$p_val"
v="flag_$active_id"
declare "$v"="100"
> echo "$v"
flag_foo
> echo "${!v}"
100
Usage in if condition
:
if [ "${!v}" -ne 100 ]; then
echo "yes"
else
echo "no"
fi
# prints no
I don't know what this should be good for but you can achieve stuff like this with bash's eval
statement.
The following code illustrates that.
#!/bin/bash
p_val="TEST"
active_id=$p_val
eval "flag_$active_id=100"
echo $flag_TEST
eval "echo \$flag_$active_id"
The terminating echo
's puts
100
100
on the stdout
.