向数组添加新元素,而不在Bash中指定索引

Add a new element to an array without specifying the index in Bash

有没有办法在bash中执行类似PHPs $array[] = 'foo';的操作:

1
2
array[0] = 'foo'
array[1] = 'bar'

就在这里:

1
2
3
ARRAY=()
ARRAY+=('foo')
ARRAY+=('bar')

Bash参考手册:

In the context where an assignment statement is assigning a value to a shell variable or array index (see Arrays), the ‘+=’ operator can be used to append to or add to the variable's previous value.


正如Dumb Guy指出的那样,重要的是要注意阵列是否从零开始并且是顺序的。 由于您可以分配和取消设置非连续索引,因此${#array[@]}并不总是数组末尾的下一个项目。

1
2
3
4
5
6
7
8
9
10
$ array=(a b c d e f g h)
$ array[42]="i"
$ unset array[2]
$ unset array[3]
$ declare -p array     # dump the array so we can see what it contains
declare -a array='([0]="a" [1]="b" [4]="e" [5]="f" [6]="g" [7]="h" [42]="i")'
$ echo ${#array[@]}
7
$ echo ${array[${#array[@]}]}
h

以下是获取最后一个索引的方法:

1
2
3
4
$ end=(${!array[@]})   # put all the indices in an array
$ end=${end[@]: -1}    # get the last one
$ echo $end
42

这说明了如何获取数组的最后一个元素。 你会经常看到这个:

1
2
$ echo ${array[${#array[@]} - 1]}
g

如您所见,因为我们正在处理稀疏数组,所以这不是最后一个元素。 这适用于稀疏和连续数组,但是:

1
2
$ echo ${array[@]: -1}
i


1
2
3
4
5
6
7
8
$ declare -a arr
$ arr=("a")
$ arr=("${arr[@]}""new")
$ echo ${arr[@]}
a new
$ arr=("${arr[@]}""newest")
$ echo ${arr[@]}
a new newest


如果您的数组始终是顺序的并且从0开始,则可以执行以下操作:

1
2
3
4
array[${#array[@]}]='foo'

# gets the length of the array
${#array_name[@]}

如果你无意中在等号之间使用了空格:

1
array[${#array[@]}] = 'foo'

然后你会收到类似于的错误:

1
array_name[3]: command not found


使用索引数组,您可以这样:

1
2
declare -a a=()
a+=('foo' 'bar')