[TOC]
一,DAY6
1.shell脚本介绍
- shell是一种脚本语言 aming_linux blog.lishiming.net
- 可以使用逻辑判断、循环等语法
- 可以自定义函数
- shell是系统命令的集合
- shell脚本可以实现自动化运维,能大大增加我们的运维效率
2.shell脚本结构和执行
3.date命令用法
date +%Y-%m-%d, date +%y-%m-%d 年月日
date +%H:%M:%S = date +%T 时间
date +%s 时间戳
date -d @1504620492
date -d "+1day" 一天后
date -d "-1 day" 一天前
date -d "-1 month" 一月前
date -d "-1 min" 一分钟前
-
date +%w, date +%W 星期
4.shell脚本中的变量
- 当脚本中使用某个字符串较频繁并且字符串长度很长时就应该使用变量代替
- 使用条件语句时,常使用变量 if [ $a -gt 1 ]; then ... ; fi
- 引用某个命令的结果时,用变量替代 n=`wc -l 1.txt`
- 写和用户交互的脚本时,变量也是必不可少的read -p "Input a number: " n; echo $n 如果没写这个n,可以直接使用$REPLY
- 内置变量 $0, $1, $2… $0表示脚本本身,$1 第一个参数,$2 第二个 .... $#表示参数个数
- 数学运算a=1;b=2; c=$(($a+$b))或者$[$a+$b]
5.shell脚本中的逻辑判断
- 格式1:if 条件 ; then 语句; fi
#!/bin/bash
a=5
if [ $a -gt 3 ]
then
echo ok
fi
- 格式2:if 条件; then 语句; else 语句; fi
#!/bin/bash
a=2
if [ $a -gt 3 ]
then
echo ok
else
echo nook
fi
- 格式3:if …; then … ;elif …; then …; else …; fi
#!/bin/bash
a=3
if [ $a -gt 4 ]
then
echo ">1"
elif [ $a -lt 6 ]
then
echo "<6 && >1"
else
echo nook
fi
- 逻辑判断表达式:
- if [ $a -gt $b ]
- if [ $a -lt 5 ]
- if [ $b -eq 10 ]
- -gt (>); -lt(<); -ge(>=); -le(<=);-eq(==); -ne(!=) 注意到处都是空格
- 可以使用 && || 结合多个条件
- if [ $a -gt 5 ] && [ $a -lt 10 ]; then 并且
- if [ $b -gt 5 ] || [ $b -lt 3 ]; then 或者
二,DAY7
6.文件目录属性判断
7.if特殊用法
if [ -z "$a" ] 这个表示当变量a的值为空时会怎么样
#!/bin/bash
if [ ! -f /tmp/abc.log ]
then
echo "/tmp/abc.log not exist"
exit
fi
n=`wc -l /tmp/abc.log`
if [ -z "$n" ]
then
echo error
exit
elif [ $n -gt 100 ]
then
echo $n
fi
if [ -n "$a" ] 表示当变量a的值不为空,可以判断一个文件的内容不为空
[root@localhost tmp]# if [ -n if.sh ];then echo ok;fi 判断文件不用双引号
ok
[root@localhost tmp]# if [ -n "$a" ];then echo $a;else echo "a is null";fi 如果是变量一定要加双引号
a is null
if grep -q '123' 1.txt; then表示如果1.txt中含有'123'的行时会怎么样
[root@localhost tmp]# grep -w 'zabbix' /etc/passwd
zabbix:x:498:498:Zabbix Monitoring System:/var/lib/zabbix:/sbin/nologin
[root@localhost tmp]#
[root@localhost tmp]# if grep -w 'zabbix' /etc/passwd;then echo "zabbix exist";fi
zabbix:x:498:498:Zabbix Monitoring System:/var/lib/zabbix:/sbin/nologin
zabbix exist
[root@localhost tmp]# if grep -wq 'zabbix' /etc/passwd;then echo "zabbix exist";fi -q表示仅仅做过滤,不把过滤的内容显示出来
zabbix exist
if [ ! -e file ]; then 表示文件不存在时会怎么样
if (($a<1)); then … 等同于 if [ $a -lt 1 ]; then…
[ ] 中不能使用<,>,==,!=,>=,<=这样的符号
8.cace判断(上)
-
格式:
case 变量名 in
value1)
command
;;
value2)
command
;;
*)
commond
;;
esac
- 在case程序中,可以在条件中使用|,表示或的意思, 比如
- 2|3)
command
;;
-
案例:
#!/bin/bash
read -p "Please input a number: " n
if [ -z "$n" ]
then
echo "Please input a number."
exit 1
fi
n1=`echo $n|sed 's/[0-9]//g'`
if [ -n "$n1" ]
then
echo "Please input a number."
exit 1
fi
if [ $n -lt 60 ] && [ $n -ge 0 ]
then
tag=1
elif [ $n -ge 60 ] && [ $n -lt 80 ]
then
tag=2
elif [ $n -ge 80 ] && [ $n -lt 90 ]
then
tag=3
elif [ $n -ge 90 ] && [ $n -le 100 ]
then
tag=4
else
tag=0
fi
case $tag in
1)
echo "not ok"
;;
2)
echo "ok"
;;
3)
echo "ook"
;;
4)
echo "oook"
;;
*)
echo "The number range is 0-100."
;;
esac
9.cace判断(下)
10.for循环
|