我正在尝试将正则表达式结果分配给bash脚本中的数组,但我不确定这是否可行,或者我是否完全错误。以下是我想要发生的事情,但我知道我的语法不正确:
indexes[4]=$(echo b5f1e7bfc2439c621353d1ce0629fb8b | grep -o '[a-f0-9]\{8\}')
这样:
index[1]=b5f1e7bf
index[2]=c2439c62
index[3]=1353d1ce
index[4]=0629fb8b
任何链接或建议都会很精彩:)
答案 0 :(得分:30)
这里
array=( $(echo b5f1e7bfc2439c621353d1ce0629fb8b | grep -o '[a-f0-9]\{8\}') )
$ echo ${array[@]}
b5f1e7bf c2439c62 1353d1ce 0629fb8b
答案 1 :(得分:4)
#!/bin/bash
# Bash >= 3.2
hexstring="b5f1e7bfc2439c621353d1ce0629fb8b"
# build a regex to get four groups of eight hex digits
for i in {1..4}
do
regex+='([[:xdigit:]]{8})'
done
[[ $hexstring =~ $regex ]] # match the regex
array=(${BASH_REMATCH[@]}) # copy the match array which is readonly
unset array[0] # so we can eliminate the full match and only use the parenthesized captured matches
for i in "${array[@]}"
do
echo "$i"
done
答案 2 :(得分:2)
这是一种纯粹的bash方式,不需要外部命令
#!/bin/bash
declare -a array
s="b5f1e7bfc2439c621353d1ce0629fb8b"
for((i=0;i<=${#s};i+=8))
do
array=(${array[@]} ${s:$i:8})
done
echo ${array[@]}
输出
$ ./shell.sh
b5f1e7bf c2439c62 1353d1ce 0629fb8b