我有一个用例,其中很少有变量被定义为
test1="12 33 44 55"
test2="45 55 43 22"
test3="66 54 33 45"
i=1;
while [ $i -le 3 ]; do
#parse value of test1 test2 test3
startProcess $test$i
i=$((i+1))
done
startProcess () {
#Should print the complete string which is "12 33 44 55" everytime
echo $1
}
我需要在循环中传递 test1、test2、test3 变量值,并在函数中完全回显它们。
请建议
答案1
使用数组:
#!/bin/bash
startProcess () {
printf 'Argument: %s\n' "$1"
}
testarr=( "12 33 44 55" "45 55 43 22" "66 54 33 45" )
for test in "${testarr[@]}"; do
startProcess "$test"
done
输出:
Argument: 12 33 44 55
Argument: 45 55 43 22
Argument: 66 54 33 45
或者,使用关联数组(在bash
4.0+ 中):
#!/bin/bash
startProcess () {
printf 'Argument: %s\n' "$1"
}
declare -A testarr
testarr=( [test1]="12 33 44 55"
[test2]="45 55 43 22"
[test3]="66 54 33 45" )
for test in "${!testarr[@]}"; do
printf 'Running test %s\n' "$test"
startProcess "${testarr[$test]}"
done
输出:
Running test test1
Argument: 12 33 44 55
Running test test2
Argument: 45 55 43 22
Running test test3
Argument: 66 54 33 45