0

第三尝试了解我做错了什么。

我有一个这样的列表:

array[0] = 1111 Here is much text
array[1] = 2222 Here is even more text
array[2] = 1111.1 Here is special text

现在我想对列表进行排序,使其如下所示:

1111 Here is much text
1111.1 Here is special text
2222 Here is even more text

使用

for j in ${array[@]}; do echo $j; done | sort -n

由于空间,它把我的每一个部分都分开了。

使用

for j in "${array[@]}"; do echo "$j"; done | sort -n

我得到一个排序列表,如 1111 2222 1111.1

4

2 回答 2

3
array=(
    "1111 Here is much text" 
    "2222 Here is even more text" 
    "1111.1 Here is special text"
)
printf "%s\n" "${array[@]}" | sort -n
1111 Here is much text
1111.1 Here is special text
2222 Here is even more text

要保存它:

sorted=()
while IFS= read -r line; do
    sorted+=("$line")
done  < <( printf "%s\n" "${array[@]}" | sort -n )
printf "%s\n" "${sorted[@]}"
# same output as above

或者

source <( echo 'sorted=('; printf '"%s"\n' "${array[@]}" | sort -n; echo ')' )
printf "%s\n" "${sorted[@]}"

文件中的回车会让您感到困惑。考虑带有 dos 样式行结尾的名为“t”的文件:

$ cat -e t
line1^M$
line2^M$
line3^M$
$ for n in {1..3} ; do array[n]="$(echo $n $(cat t))"; done
$ printf "%s\n" "${array[@]}"|od -c
0000000   1       l   i   n   e   1  \r       l   i   n   e   2  \r    
0000020   l   i   n   e   3  \r  \n   2       l   i   n   e   1  \r    
0000040   l   i   n   e   2  \r       l   i   n   e   3  \r  \n   3    
0000060   l   i   n   e   1  \r       l   i   n   e   2  \r       l   i
0000100   n   e   3  \r  \n
0000105
$ printf "%s\n" "${array[@]}"
 line31
 line31
 line31

显然,这会弄乱您使用此输入提供的任何内容。修复回车。

于 2013-05-29T12:22:33.790 回答
0

您的语言环境设置为将.解释为千位分隔符,而不是小数点,并且相应地对数值进行排序(1111.1 被解释为 11111,例如使用LC_ALL=de_DE)。利用

export LC_ALL=C

在执行之前sort(当然,使用正确的引用,如 glenn 和 fedorqui 的答案)。

于 2013-05-29T13:58:32.970 回答