我正在研究一个简单的 bash 脚本,该脚本修复了一个重复的命名问题。
该脚本本身会抓取在 gameslist.xml 文件中多次提及的任何名称,然后将这些名称存储在一个数组中以供以后使用。
我最终在索引中循环这个数组,如下所示:
pi@retropie:~ $ for game in ${game_array[@]:0:10} ; do echo $game; done
它将第一个元素拉到第 10 个元素(即${game_array[9]}
),但是输出连接到一行:
pi@retropie:~ $ for game in ${game_array[@]:0:10} ; do echo $game; done
R.B.I. Baseball '94 World Series Baseball '95 Mega Games 1 Bill Walsh College Football T2: The Arcade Game Sonic & Knuckles + Sonic the Hedgehog Sega Top Five Pyramid Magic Tecmo Super Baseball Super Chinese Tycoon
但是,如果我遍历整个数组,它会按预期在新行上输出:
pi@retropie:~ $ for game in ${game_array[@]}; do echo $game; done | head -10
R.B.I. Baseball '94
World Series Baseball '95
Mega Games 1
Bill Walsh College Football
T2: The Arcade Game
Sonic & Knuckles + Sonic the Hedgehog
Sega Top Five
Pyramid Magic
Tecmo Super Baseball
Super Chinese Tycoon
字段分隔符已设置为新行,IFS='$\n'
这就是第二个有效的原因,但我一生都无法弄清楚为什么它不适用于第一个?
这是上下文的完整测试脚本:
#!/bin/bash
user_input=$1
while [ -z "$user_input" ]; do
echo "please enter the name of the system you want to fix the game list for"
echo "(as it is labelled in /home/pi/RetroPie/roms)"
read -r user_input
done
ls "/home/pi/RetroPie/roms/$user_input" >/dev/null 2>&1
if [ "$?" -ne 0 ]; then
echo "this doesn't appear to be a system installed here. exiting."
exit 1
fi
games_to_fix()
{
IFS=$'\n'
console=$1
filepath="/opt/retropie/configs/all/emulationstation/gamelists/$console/gamelist.xml"
game_array=($(fgrep "<name>" "$filepath" | sort | uniq -c | sort -rn | awk '$1 > 1 {print $0}'| cut -d ">" -f 2 | cut -d "<" -f 1))
number_to_fix=($(fgrep "<name>" "$filepath" | sort | uniq -c | sort -rn | awk '$1 > 1 {print $1}'))
}
get_new_name()
{
mYpath=$1
new_name=$(echo $mYpath | cut -d ">" -f 2 | cut -d "<" -f 1 | sed -e 's/\.\///g' | sed -e 's/\.7z//g')
}
games_to_fix $user_input
IFS=$'\n'
index=0
for i in ${number_to_fix[@]}; do
loop=1
for game in ${game_array[@]:$index:$i}; do
# for ind in $(eval echo {1..$i}); do
line_number=$(fgrep -n "<name>$game</name>" $filepath | awk '{print $1}' | cut -d : -f 1 | sed -e "${loop}q;d")
path_line_number=$(expr $line_number - 1 )
path=$(sed "${path_line_number}q;d" $filepath | cut -d : -f 2)
get_new_name "$path"
sed -i "${line_number}s/$game/$new_name/g" $filepath
((loop++))
done
index=$(expr index + $i);
done
简而言之:除非您明确需要字段/单词拆分,否则您应该在这样的数组扩展周围使用引号。
"$@"
将每个位置参数扩展为一个单独的单词,"${a[@]}"
. 通过扩展,这应该以相同的方式为"${a[@]:0:2}"
.也就是说,在 Bash 中似乎仍然存在不一致,并且您使用的内容应该适用于您的情况(因为值中没有 glob 字符,并且通过
IFS
正确设置来处理字段拆分)。采取完整的阵列工作:
切片不适用于数组,但适用于
$@
:它在 ksh 和 zsh 中确实有效,这强调了 Bash 在这里不一致(zsh 当然有它自己的等效语法):
引用的版本也可以在 Bash 中使用,并且当您只需要原样的值时会更好,因为您不需要依赖
IFS
.IFS
即使数组元素有空格,默认值在这里也可以正常工作:看起来好像不带引号
${a[@]:0:2}
的元素用空格连接起来,有点像 Bash 在不发生分词的上下文中发生的事情(例如str=${a[@]}
)。IFS
然后它像往常一样尝试用 拆分结果。例如在这里,它在第二个数组元素中间的换行符处拆分:如上所述,在大多数情况下,您确实应该在数组扩展周围使用引号,但仍然会假设
${a[@]:n:m}
会导致多个单词,就像这样${a[@]}
做一样。这里的行为似乎存在于 Bash
4.4.12(1)-release
和5.0.0(1)-alpha
. 我发布了一个关于它的错误报告。报价
报价
引用
引用
引用!!
这有效: