在 Linux Bash 中使用数组
Bash 有一个数组结构(一些语言称之为列表)。在本文中,我们将解释这种结构。稍后,我们将研究 Bash 脚本中的以下主题。
- 数组声明
- 访问数组中的值
- 向数组添加新值
- 从数组中删除一个值
数组是一种将相似数据保存在一起的数据结构。数组中的每个数据都有一个索引,第一个元素的索引是 0
。我们可以通过循环顺序访问这些数据,也可以使用数据索引单独访问这些数据。我们还可以更改数组、添加新值和删除现有值。
在 Bash 中使用数组
现在我们知道了数组是什么,我们可以检查它在 Bash 中的使用。
声明一个数组
通过将值括在括号中来声明数组。值之间只有空格,没有逗号等字符。下面是一个示例数组声明。
arr=("black" "white" "red" "blue" "green")
我们可以使用以下方法来声明一个整数值数组。
intArr=(1 2 3 4)
intArr=($(seq 1 4))
intArr=({1..4})
这些示例声明了一个包含数字 1 到 4
的数组。
访问数组
有许多不同的方法可以访问数组中的数据。例如,我们可以打印整个数组,使用索引访问单个元素,或者使用循环依次访问每个元素。让我们一一解释每种方法。
访问整个阵列
我们可以使用 [*]
或 [@]
命令来访问数组中的所有值。例如,让我们使用这些命令来打印我们上面定义的 arr
数组中的所有值。
arr=("black" "white" "red" "blue" "green")
echo "With *: ${arr[*]}"
echo "With @: ${arr[@]}"
使用索引访问元素
数组中第一个元素的索引为 0
,随后元素的索引依次增加。我们可以通过数组中元素的索引号来访问该元素。例如,我们使用下面的 Bash 代码来获取 arr
数组中的 red
值。
arr=("black" "white" "red" "blue" "green")
echo "${arr[2]}"
使用循环访问数组元素
我们可以使用 for
循环一个一个地访问数组的所有元素。下面是 Bash 脚本,它将把 arr
数组中的每种颜色打印到屏幕上。
arr=("black" "white" "red" "blue" "green")
for color in ${arr[@]}; do
echo $color
done
如果我们想连同索引号一起访问这些值,我们可以使用下面的代码。
arr=("black" "white" "red" "blue" "green")
for i in ${!arr[@]}; do
echo "$i: ${arr[$i]}"
done
${!arr[@]}
命令返回数组中所有值的索引。然后,使用这些索引访问元素。
向数组添加新元素
要将新元素添加到数组中,我们可以为新值分配索引号或使用+=
运算符。
arr=("black" "white" "red" "blue" "green")
echo "Before adding purple: ${arr[@]}"
arr[5]="purple" # or use arr+=("purple"), exactly same
echo "After adding purple: ${arr[@]}"
从数组中删除元素
我们可以使用 unset
命令删除数组中的任何数据,甚至完全删除数组本身。
arr=("black" "white" "red" "blue" "green")
echo "Before removing white: ${arr[@]}"
unset arr[1]
echo "After removing white: ${arr[@]}"
Yahya Irmak has experience in full stack technologies such as Java, Spring Boot, JavaScript, CSS, HTML.
LinkedIn