概述
之前梳理的博文 Shell 数组
http://blog.csdn.net/yangshangwei/article/details/52372608
数组是shell脚本非常重要的组成部分,它借助索引将多个独立的数据存储为一个集合。
普通数组只能使用整数作为数组索引。
Bash也支持关联数组,它可以使用字符串作为数组索引。
在很多情况下,采用字符串式索引更容易理解,这时候关联数组就派上用场了。
在这里,我们会介绍普通数组和关联数组的用法。
Bash从4.0版本之后才开始支持关联数组。
[root@entel2 ~]# bash -version GNU bash, version 4.1.2(1)-release (x86_64-redhat-linux-gnu) Copyright (C) 2009 Free Software Foundation, Inc. License GPLv3+: GNU GPL version 3 or later <http://gnu.org/licenses/gpl.html> This is free software; you are free to change and redistribute it. There is NO WARRANTY, to the extent permitted by law. [root@entel2 ~]#
栗子详解
[root@entel1 Templates]# cat arr.sh #!/bin/bash #第一种定义方法 array_var=(1 2 x g j) #数组的值存储在以0为起始索引的连续位置上 echo ${array_var[0]} echo ${array_var[1]} echo ${array_var[2]} echo ${array_var[3]} echo ${array_var[4]} #第二种定义方法 arr[0]="xiao" arr[1]="xiao" arr[2]="1111111" echo ${arr[0]} echo ${arr[1]} echo ${arr[2]} #打印特定索引的数组元素内容 echo ${array_var[0]} index=5 echo ${array_var[index]} #以清单的形式输出数组中的所有值 echo ${array_var[*]} echo ${arr[*]} echo ${array_var[@]} echo ${arr[@]} #打印数组的长度 echo ${#array_var[*]} echo ${#arr[*]} [root@entel1 Templates]# ./arr.sh 1 2 x g j xiao xiao 1111111 1 1 2 x g j xiao xiao 1111111 1 2 x g j xiao xiao 1111111 5 3
关联数组
关联数组从Bash 4.0版本开始被引入。借助散列技术,关联数组成为解决很多问题的有力工具。接下来就让我们一探究竟。
定义关联数组
在关联数组中,我们可以用任意的文本作为数组索引。首先,需要使用声明语句将一个变量名声明为关联数组。像下面这样:
$ declare -A ass_array
声明之后,可以用两种方法将元素添加到关联数组中。
- 利用内嵌“索引-值”列表的方法,提供一个“索引-值”列表:
$ ass_array=([index1]=val1 [index2]=val2)
- 使用独立的“索引-值”进行赋值:
$ ass_array[index1]=val1 $ ass_array'index2]=val2
举个例子,试想如何用关联数组为水果制定价格:
[root@entel1 Templates]# cat arr2.sh #!/bin/bash #定义关联数组 declare -A fruits_value fruits_value=([apple]='$100' [orange]='$150') echo "apple costs ${fruits_value[apple]}" echo orange costs ${fruits_value[orange]} [root@entel1 Templates]# ./arr2.sh apple costs $100 orange costs $150
列出数组索引
每一个数组元素都有一个索引用于查找。普通数组和关联数组具有不同的索引类型。
我们可以用下面的方法获取数组的索引列表:
$ echo ${!array_var[*]}
也可以使用:
$ echo ${!array_var[@]
以先前提到的fruits_value数组为例,运行如下命令:
$ echo ${!fruits_value[*]} orange apple
对于普通数组,这个方法同样可行。