Shell基石:循环控制

Shell基石:循环控制_第1张图片
shell基础

我们知道Shell脚本中的循环指令有:while、for 和 until loops。
一般比较常用的是 whilefor,举几个常用例子:

#!/usr/bin/env bash
start=1
end=6
while [ ! ${start} -eq ${end} ]; do
    echo ${start}
    let start++
done

# 各输出 1 2 3 4 5

for i in 1 2 3 4 5; do
    echo ${i}
done
# 各输出 1 2 3 4 5
# 1 2 3 4 5 也可以写成 {1..5} 或 `seq 1 5`

for color in red orange yellow; do
    echo ${color}
done
# 各输出 red orange yellow

for file in `ls`; do
    echo ${file}
done
# 打印脚本所在目录下的文件名

# 省略或者 in $@ 作用是打印参数列表

counter=0
for files in *; do
        # increment
        counter=`expr $counter + 1`
done
echo "There are $counter files in ‘`pwd`’"
# 计算脚本所在目录下的文件个数

counter=0
for ((x=0;x<=5;x++)); do
    let counter=counter+x
done
echo $counter
# 输出15
# 计算 1..5 的和

除了以上的几种循环用法之外,用循环可以对文本进行逐行读取,再配合其它的指令可以实现更加灵活的功能。例如:

#!/usr/bin/env bash
old_ifs=${IFS}
IFS=":"
cat /etc/passwd | while read name passwd uid gid description home shell; do
    echo -e ${name}"\t"${passwd}"\t"${uid}"\t"${gid}"\t"${description}"\t"${home}"\t"${shell}
done
IFS=${old_ifs}
# 打印系统的用户

通过管道将文本传递给 read 指令,再赋值给对应的变量,实现更加灵活的用法。借此抛砖引玉,希望读者能够自行探索实现更多好玩有趣的想法。

end.

你可能感兴趣的:(Shell基石:循环控制)