次のbashスクリプトがあります。
#!bin/bash
# array to store my commands
COMMANDS=(route
ls -l
)
# here I want to iterate through the array, run all the commands and take
# screenshot of each after their execution to be put into my lab assignment file.
for (( i=0; i<${#COMMANDS[@]}; i=i+1 )); do
clear
"${COMMANDS[$i]}"
gnome-screenshot -w -f "$i".png
done
ただし、出力は次のようになります。
Kernel IP routing table
Destination Gateway Genmask Flags Metric Ref Use Iface
default _gateway 0.0.0.0 UG 600 0 0 wlx00e02d4a265d
link-local 0.0.0.0 255.255.0.0 U 1000 0 0 docker0
172.17.0.0 0.0.0.0 255.255.0.0 U 0 0 0 docker0
192.168.43.0 0.0.0.0 255.255.255.0 U 600 0 0 wlx00e02d4a265d
5.png Downloads my_rust_projects sys-info
6.png FINAL450.pdf Pictures Templates
-l: command not found
ls -l
各ファイルの詳細項目の目的の結果をどのように取得できますか?
ベストアンサー1
バラよりhttp://mywiki.wooledge.org/BashFAQ/050、「コマンドを変数に入れようとしていますが、複雑なケースが常に失敗します!」
思ったより複雑です。各コマンドは別々の配列に配置する必要があります。 Bashは多次元配列を実装していないため、これを管理する必要があります。
この試み:
CMD_date=( date "+%a %b %d %Y %T" )
CMD_ls=( ls -l )
CMD_sh=( env MyVar="this is a variable" sh -c 'echo "$MyVar"' )
commands=( date ls sh )
for cmd in "${commands[@]}"; do
declare -n c="CMD_$cmd" # set a nameref to the array
"${c[@]}" # and execute it
done
namerefsはbash 4.3で導入されました。 bashが古い場合でも間接変数を使用して動作します。
for cmd in "${commands[@]}"; do
printf -v tmp 'CMD_%s[@]' "$cmd"
"${!tmp}" # and execute it
done
より良い方法:関数を使用してください。
CMD_date() {
date "+%a %b %d %Y %T"
}
CMD_ls() {
ls -l
}
CMD_sh() {
env MyVar="this is a variable" sh -c 'echo "$MyVar"'
}
commands=( date ls sh )
for cmd in "${commands[@]}"; do
"CMD_$cmd"
done