1、判断语句 1)基本语法 [ condition ](注意condition前后要有空格) #非空返回true,可使用$?验证(0为true,>1为false) 2)案例 [root] 返回true [] 返回false [condition] && echo OK || echo notok 条件满足,执行后面的语句
2、常用判断条件 1)两个整数之间比较 = 字符串比较 -lt 小于 -le 小于等于 -eq 等于 -gt 大于 -ge 大于等于 -ne 不等于 2)按照文件权限进行判断 -r 有读的权限 -w 有写的权限 -x 有执行的权限 3)按照文件类型进行判断 -f 文件存在并且是一个常规的文件 -e 文件存在 -d 文件存在并是一个目录 4)案例 (1)23是否大于等于22
[root@hadoop102 ~]# [ 23 -ge 22 ](2)student.txt是否具有写权限
[root@hadoop102 ~]# [ -w student.txt ](3)/root/install.log目录中的文件是否存在
[root@hadoop102 ~]# [ -e /root/install.log ]1、if判断 1)基本语法 (1)语法1 if [ 条件判断式 ];then 程序 fi
或者 (2)语法2 if [ 条件判断式 ] then 程序 fi 注意事项:[ 条件判断式 ],中括号和条件判断式之间必须有空格
2)案例 判断输入的数,是否等于123,是否等于456
[root@hadoop102 ~]# touch if.sh [root@hadoop102 ~]# chmod 755 if.sh [root@hadoop102 ~]# vim if.sh #!/bin/bash if [ $1 -eq "123" ] then echo "123" elif [ $1 -eq "456" ] then echo "456" fi2、case语句 1)基本语法 case $变量名 in “值1”) 如果变量的值等于值1,则执行程序1 ;; “值2”) 如果变量的值等于值2,则执行程序2 ;; …省略其他分支… *) 如果变量的值都不是以上的值,则执行此程序 ;; esac
2)案例 输入1就输出1,输入2 就输出2 ,输入其它就输出other
[root@hadoop102 ~]# touch case.sh [root@hadoop102 ~]# chmod 755 case.sh [root@hadoop102 ~]# vim case.sh #!/bin/bash case $1 in "1") echo "1" ;; "2") echo "2" ;; *) echo "other" ;; esac3、for循环 1)基本语法1 for 变量 in 值1 值2 值3… do 程序 done
2)案例 打印输入参数
[root@hadoop102 ~]# touch for1.sh [root@hadoop102 ~]# chmod 755 for1.sh [root@hadoop102 ~]# vim for1.sh #!/bin/bash #打印数字 for i in "$*" do echo "The num is $i " done for j in "$@" do echo "The num is $j" done这个案例可以很好的测试$* 和 $@ 的区别
3)基本语法2 for (( 初始值;循环控制条件;变量变化 )) do 程序 done
4)案例 从1加到100
[root@hadoop102 ~]# touch for2.sh [root@hadoop102 ~]# chmod 755 for2.sh [root@hadoop102 ~]# vim for2.sh #!/bin/bash s=0 for((i=0;i<=100;i++)) do s=$[$s+$i] done echo "$s"4、while循环 1)基本语法 while [ 条件判断式 ] do 程序 done
2)案例 从1加到100
#!/bin/bash s=0 i=1 while [ $i -le 100 ] do s=$[$s+$i] i=$[$i+1] done echo $s1、基本语法 read(选项)(参数) 选项: -p:指定读取值时的提示符; -t:指定读取值时等待的时间(秒) 参数 变量:指定读取值的变量名
2)案例 读取控制台输入的名称
[root@hadoop102 ~]# touch read.sh [root@hadoop102 ~]# chmod 755 read.sh [root@hadoop102 ~]# vim read.sh #!/bin/bash read -t 7 -p "please 7 miao input your name: " NAME echo $NAME [root@hadoop102 ~]# read -t 7 -p "please 7 miao input your name "1、系统函数 1)basename基本语法 basename [pathname] [suffix] basename [string] [suffix] (功能描述:basename命令会删掉所有的前缀包括最后一个(‘/’)字符,然后将字符串显示出来。 选项: suffix为后缀,如果suffix被指定了,basename会将pathname或string中的suffix去掉。 2)案例
[root@hadoop102 opt]$ basename /opt/test.txt test.txt3)dirname基本语法 dirname 文件绝对路径 (功能描述:从给定的包含绝对路径的文件名中去除文件名(非目录的部分),然后返回剩下的路径(目录的部分))
4)案例
[root@hadoop102 opt]$ dirname /opt/test.txt /opt2、自定义函数 1)基本语法 [ function ] funname[()] { Action; [return int;] }
funname 注意: (1)必须在调用函数地方之前,先声明函数,shell脚本是逐行运行。不会像其它语言一样先编译。 (2)函数返回值,只能通过$?系统变量获得,可以显示加:return返回,如果不加,将以最后一条命令运行结果,作为返回值。return后跟数值n(0-255)
2)案例 计算输入参数的和
#!/bin/bash function sum() { s=0 s=$[ $1 + $2 ] echo "$s" } read -p "Please input the number1: " n1; read -p "Please input the number2: " n2; sum $n1 $n2;