1、定義數組
1. 使用[]操做符
names[0]='zrong'
names[1]='jacky'
2. 使用()直接賦值
names=('zrong''jacky')# 或names=([0]='zrong'[1]='jacky')
3. 使用declare -a定義數組。這種方法能夠將一個空的變量定義成數組類型。
4. 從文件中讀取數組
cat>names.txt
zrong
jacky
sweet
Ctrl+C
# 將每一行讀取爲數組的一個元素names=(`cat 'names.txt'`)
2、讀取數組
1. 數組取值
和ActionScript同樣,Bash也使用[]操做符和基於0的下標來取值:git
adobe=('Flash''Flex''Photoshop')echo${adobe[0]}# 打印# Flash
2. 數組長度(元素個數)
使用「@」這個特殊的下標,能夠將數組擴展成列表,而後就能夠使用bash中的獲取變量長度的操做符「#」來獲取數組中元素的個數了:github
adobe=('Flash''Flex''Photoshop')echo${#adobe[@]}# 打印# 3
有趣的是,沒有定義的數組下標,並不會佔用數組中元素的個數:web
adobe=([0]='Flash'[2]='Flex'[4]='Photoshop')echo${#adobe[@]}# 打印# 3
3. 獲取數組的一部分
命令替換對數組也是有效的,能夠使用偏移操做符來取得數組的一部分:數組
adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')echo${adobe[@]:1:3}# 打印# Flex Photoshop Dreamweaverecho${adobe[@]:3}# 打印# Dreamweaver Premiere
4. 鏈接兩個數組
adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')adobe2=('Fireworks''Illustrator')adobe3=(${adobe[@]}${adobe2[@]})echo${#adobe3[@]}# 打印# 7
3、修改數組
1. 替換數組元素
模式操做符對數組也是有效的,能夠使用它來替換數組中的元素bash
adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')echo${adobe[@]/Flash/FlashCS5}# 打印# 注意,打印的結果是一個字符串列表,不是數組# FlashCS5 Flex Photoshop Dreamweaver Premiere## 將替換後的值從新保存成數組adobe=(${adobe[@]/Flash/FlashCS5})
2. 刪除數組元素
使用命令替換並從新賦值的方式刪除數組元素ide
# 刪除Photoshop元素adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')adobe=(${adobe[@]:0:2}${adobe[@]:3})echo${adobe[@]}# 打印# Flash Flex Dreamweaver Premiere
使用模式操做符刪除數組元素post
adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')adobe=(${adobe[@]/Photoshop/})echo${adobe[@]}# 打印# Flash Flex Dreamweaver Premiere
4、循環
使用for in循環讀取數組:spa
adobe=('Flash''Flex''Photoshop''Dreamweaver''Premiere')for item in ${adobe[@]};doecho$itemdone# 打印# Flash # Flex # Photoshop # Dreamweaver # Premiere
使用for循環讀取數組:.net
<pre lang="BASH">adobe=('Flash' 'Flex' 'Photoshop' 'Dreamweaver' 'Premiere')len=${#adobe[@]}for ((i=0;i<$len;i++));do echo ${adobe[$i]}done# 打印# Flash # Flex # Photoshop # Dreamweaver # Premiere</pre>
本文轉載自:http://zengrong.net/post/1518.htmcode