在我的脚本中,我需要扩展一个间隔,例如:
input: 1,5-7
获得以下内容:
output: 1,5,6,7
我在这里找到了其他解决方案,但它们涉及python,我不能在我的脚本中使用它。
答案 0 :(得分:2)
您可以使用Bash range expansions。例如,假设您已经解析了输入,则可以执行一系列连续操作,将范围转换为以逗号分隔的系列。例如:
value1=1
value2='5-7'
value2=${value2/-/..}
value2=`eval echo {$value2}`
echo "input: $value1,${value2// /,}"
关于eval危险的所有常见警告都适用,并且你最好在Perl,Ruby,Python或AWK中解决这个问题。如果您不能或不愿意,那么您至少应该考虑在转换中包含一些管道工具,例如 tr 或 sed ,以避免需要eval。
答案 1 :(得分:2)
尝试这样的事情:
#!/bin/bash
for f in ${1//,/ }; do
if [[ $f =~ - ]]; then
a+=( $(seq ${f%-*} 1 ${f#*-}) )
else
a+=( $f )
fi
done
a=${a[*]}
a=${a// /,}
echo $a
编辑:正如评论中提到的@Maxim_united一样,追加可能比一遍又一遍地重新创建数组更可取。
答案 2 :(得分:1)
这也适用于多个范围。
#! /bin/bash
input="1,5-7,13-18,22"
result_str=""
for num in $(tr ',' ' ' <<< "$input"); do
if [[ "$num" == *-* ]]; then
res=$(seq -s ',' $(sed -n 's#\([0-9]\+\)-\([0-9]\+\).*#\1 \2#p' <<< "$num"))
else
res="$num"
fi
result_str="$result_str,$res"
done
echo ${result_str:1}
将产生以下输出:
1,5,6,7,13,14,15,16,17,18,22
答案 3 :(得分:0)
expand_commas()
{
local arg
local st en i
set -- ${1//,/ }
for arg
do
case $arg in
[0-9]*-[0-9]*)
st=${arg%-*}
en=${arg#*-}
for ((i = st; i <= en; i++))
do
echo $i
done
;;
*)
echo $arg
;;
esac
done
}
用法:
result=$(expand_commas arg)
例如:
result=$(expand_commas 1,5-7,9-12,3)
echo $result
当然,你必须将分隔的单词变回逗号。
输入错误有点脆弱,但完全是bash。
答案 4 :(得分:0)
这是我的抨击:
input=1,5-7,10,17-20
IFS=, read -a chunks <<< "$input"
output=()
for chunk in "${chunks[@]}"
do
IFS=- read -a args <<< "$chunk"
if (( ${#args[@]} == 1 )) # single number
then
output+=(${args[*]})
else # range
output+=($(seq "${args[@]}"))
fi
done
joined=$(sed -e 's/ /,/g' <<< "${output[*]}")
echo $joined
基本上用逗号分隔,然后解释每一部分。然后在最后与逗号一起加入。
答案 5 :(得分:0)
#!/bin/bash
function doIt() {
local inp="${@/,/ }"
declare -a args=( $(echo ${inp/-/..}) )
local item
local sep
for item in "${args[@]}"
do
case ${item} in
*..*) eval "for i in {${item}} ; do echo -n \${sep}\${i}; sep=, ; done";;
*) echo -n ${sep}${item};;
esac
sep=,
done
}
doIt "1,5-7"
x-y
答案 6 :(得分:0)
使用来自@Ansgar Wiechers和@CodeGnome的想法:
{{1}}
适用于Bash 3
答案 7 :(得分:0)
考虑到所有其他答案,我想出了这个解决方案,它不使用任何子shell(但是一次调用eval
进行大括号扩展)或单独的进程:
# range list is assumed to be in $1 (e.g. 1-3,5,9-13)
# convert $1 to an array of ranges ("1-3" "5" "9-13")
IFS=,
local range=($1)
unset IFS
list=() # initialize result list
local r
for r in "${range[@]}"; do
if [[ $r == *-* ]]; then
# if the range is of the form "x-y",
# * convert to a brace expression "{x..y}",
# * using eval, this gets expanded to "x" "x+1" … "y" and
# * append this to the list array
eval list+=( {${r/-/..}} )
else
# otherwise, it is a simple number and can be appended to the array
list+=($r)
fi
done
# test output
echo ${list[@]}