for SLAVE_CLUSTER,MASTER_CLUSTER in $MASTER_CLUSTERS $SLAVE_CLUSTERS
do
echo "Master cluster boxes are ${!MASTER_CLUSTER}"
echo "Slave cluster boxes are ${!SLAVE_CLUSTER}"
done
forループからSLAVE_CLUSTER
値を取得しようとしてMASTER_CLUSTER
エラーが発生します。for
ループ内の両方の変数をどのように取得できますか?
これは私のマスター - スレーブクラスタ変数です。
export MASTER_CLUSTER_1="MASTER1 MASTER2"
echo "MASTER_CLUSTER_1 = $MASTER_CLUSTER_1"
export MASTER_CLUSTER_2="MASTER1 MASTER2"
echo "MASTER_CLUSTER_2 = $MASTER_CLUSTER_2"
export SLAVE_CLUSTER_1="SLAVE1 SLAVE2 SLAVE3 SLAVE4"
echo "SLAVE_CLUSTER_1 = $SLAVE_CLUSTER_1"
export SLAVE_CLUSTER_2="SLAVE1 SLAVE2 SLAVE3 SLAVE4"
echo "SLAVE_CLUSTER_2 = $SLAVE_CLUSTER_2"
答え1
シングルループの必要性がわからない。次のように、2つの連続ループを使用して同じ出力を得ることができます。
for MASTER_CLUSTER in $MASTER_CLUSTERS
do
echo "Master cluster boxes are ${!MASTER_CLUSTER}"
done
for SLAVE_CLUSTER in $SLAVE_CLUSTERS
do
echo "Slave cluster boxes are ${!SLAVE_CLUSTER}"
done
または値を置き換える必要がある場合
for MASTER_CLUSTER in $MASTER_CLUSTERS
do
echo "Master cluster boxes are ${!MASTER_CLUSTER}"
for SLAVE_CLUSTER in $SLAVE_CLUSTERS
do
echo "Slave cluster boxes are ${!SLAVE_CLUSTER}"
done
done
答え2
OPの説明に基づいて私の答えを拡張します。同様に配列を使用できます。
$ cat /tmp/foo.sh
#/bin/bash
# Sample values from OP
export MASTER_CLUSTER_1="MASTER1 MASTER2"
export MASTER_CLUSTER_2="MASTER3 MASTER4" # (edited to be unique)
export SLAVE_CLUSTER_1="SLAVE1 SLAVE2 SLAVE3 SLAVE4"
export SLAVE_CLUSTER_2="SLAVE5 SLAVE6 SLAVE7 SLAVE8" # (edited to be unique)
# Create two arrays, one for masters and one for slaves. Each array has
# two elements -- strings containing space delimited hosts
declare -a master_array=( "${MASTER_CLUSTER_1}" "${MASTER_CLUSTER_2}" )
declare -a slave_array=( "${SLAVE_CLUSTER_1}" "${SLAVE_CLUSTER_2}" )
# For this to work, both arrays need to have the same number of elements
if [[ "${#master_array[@]}" == ${#slave_array[@]} ]]; then
for ((i = 0; i < ${#master_array[@]}; ++i)); do
echo "master: ${master_array[$i]}, slave: ${slave_array[$i]}"
done
fi
出力例:
$ bash /tmp/foo.sh
master: MASTER1 MASTER2, slave: SLAVE1 SLAVE2 SLAVE3 SLAVE4
master: MASTER3 MASTER4, slave: SLAVE5 SLAVE6 SLAVE7 SLAVE8