一、Shell是什么?
shell可以理解为连接用户和操作系统内核的接口,将用户命令编译成操作系统能够执行的指令传给内核。目前有多种shell实现
常用的Shell
一般在linux系统中,常见的shell有/bin/sh、/bin/bash等,它们代表我们的命令由哪种shell进行编译。一般默认/bin/bash
二、入门示例
hello.sh
#!/bin/bash
echo 'hello world!'
第一行的注释指定了该脚本由/bin/bash shell进行编译,执行命令如下
chmod +x ./hello.sh
./hello.sh
如果要指定/bin/sh 执行该脚本,则:
sh ./hello.sh
三、Shell变量
变量分为用户变量和系统变量,例如:$USER $PWD $HOME,显示当前shell中的所有变量用set命令
3.1 基本语法
定义变量:变量名=变量值,等号两侧不能有空格,变量名一般习惯用大写。
删除变量:unset 变量名 。
声明静态变量:readonly 变量名,静态变量不能unset。
使用变量:$变量名
3.2 将命令执行结果赋值给变量
#方式一
ls=`ls`
#方式二
ls=$(ls)
3.3 配置/引用环境变量
/etc/profile
export JAVA_HOME=/usr/jdk8
执行source /etc/profile 让环境变量生效
readEnv.sh
JAVA_HOME=$JAVA_HOME
3.4 位置参数变量
$n :$0 代表命令本身、$1-$9 代表第1到9个参数,10以上参数用花括号,如 ${10}。
$* :命令行中所有参数,且把所有参数看成一个整体。
$@ :命令行中所有参数,且把每个参数区分对待。
$# :所有参数个数。
#!/bin/bash
# 输出各个参数
echo $0 $1 $2
echo $*
echo $@
echo 参数个数=$#
chmod +x positionPara.sh
./positionPara.sh 10 20
10 20
10 20
参数个数=2
3.5 预定义变量
不需要提前定义,可以直接使用的变量
$$ :当前进程的 PID 进程号。
$! :后台运行的最后一个进程的 PID 进程号。
$? :最后一次执行的命令的返回状态,0为执行正确,非0执行失败。
四、程序控制语法
4.1 计算相关
在shell脚本中不能像其它语言一样那么方便的进行计算操作,比如 a=b+c,需要使用到特定的运算符才行
运算符:$(()) 或 $[]
SUM=$((1+2))
DIV=$[$A/$B]
C=$(($A\*$B))
4.2 条件控制
if
#!/bin/bash
if [ 'test01' = 'test' ]
thenecho '等于'
fi # 20是否大于10
if [ 20 -gt 10 ]
thenecho '大于'
fi # 是否存在文件/root/shell/a.txt
if [ -e /root/shell/a.txt ]
thenecho '存在'
fi if [ 'test02' = 'test02' ] && echo 'hello' || echo 'world'
thenecho '条件满足,执行后面的语句'
fi
case
case $1 in
"1")
echo 周一
;;
"2")
echo 周二
;;
*)
echo 其它
;;
esac
4.3 流程控制
for
for 变量名 in 值1 值2 值3...
do程序
done# 语法2
for ((初始值;循环控制条件;变量变化))
do程序
done
#!/bin/bash # 使用$*
for i in "$*"
do echo "the arg is $i"
done
echo "==================" # 使用$@
for j in "$@"
do echo "the arg is $j"
done
执行结果:
the arg is 1 2 3
==================
the arg is 1
the arg is 2
the arg is 3
#!/bin/bash
SUM=0
for ((i=1;i<=100;i++))
do SUM=$[$SUM+$i]
done echo $SUM
while
while ((流程判断表达式))
do...
done
五、函数
系统函数
basename /usr/test1 //test1
dirname /usr/test1 // /usr
自定义函数
#!/bin/bashfunction getSum(){SUM=$[$n1+$n2]echo "sum=$SUM"
} read -p "请输入第一个参数n1:" n1
read -p "请输入第二个参数n2:" n2# 调用 getSum 函数
getSum $n1 $n2