一.什么是shell脚本

最近在看《鸟哥的LINUX私房菜 基础学习篇》,目前看到了shell脚本这一章,打算在这里简单记录一下这一整章的学习过程和相关的知识点。

参考资料:《鸟哥的LINUX私房菜 基础学习篇》第四版 第十二章
实验环境: Ubuntu18.04

1.什么是shell脚本

鸟哥的专业解释:
shell脚本是利用shell的功能所写的一个「程序」。这个程序是使用纯文本文件,将一些shell的语法与命令(包括外部命令)写在里面,搭配正则表达式、管道命令与数据流重定向等功能,以达到我们所想要的处理目的

  • 最简单的功能:将多个命令整合到一个脚本文件中,直接执行脚本文件就能够一次执行多个命令。
  • 整个脚本文件都是利用shell和相关工具指令,不需要编译就可以执行。

2.编写与执行第一个脚本

  • 编写脚本
    使用vim或者其他文本编辑器,将以下代码保存为hello.sh。
#!/bin/bash  #指定使用的shell
# Program:  # '#'在shell脚本中是注释
#       This program shows "Hello world." in you screen.
# History:
#2019/2/21      LaiFeng         First release
echo -e "Hello world. \a \n"
exit 0 #脚本运行结束时,返回0,保存在$?中
  • 执行脚本
    假设脚本文件路径为/home/laifeng/bin/hello.sh下鸟哥在书中提到4种执行shell脚本的方式:

    • 1.直接命令执行:脚本文件必须具备可读和可执行(rx)的权限
      • 绝对路径:执行/home/laifeng/bin/hello.sh
      • 相对路径:假设工作目录为/home/laifeng/bin/,执行./hello.sh
        使用vim直接创建的文件默认是不具有可执行的权限的,所以使用上述两种方法会提示错误:
    #直接运行报错
    (base) laifeng@laifeng-X6:~/bin$ ls -l hello.sh #查看脚本文件的权限
    -rw-r--r-- 1 laifeng laifeng 155 2月  22 20:14 hello.sh #没有x权限
    (base) laifeng@laifeng-X6:~/bin$ /home/laifeng/bin/hello.sh
    bash: /home/laifeng/bin/hello.sh: 权限不够 
    
    #更改文件权限
    (base) laifeng@laifeng-X6:~/bin$ chmod u+x hello.sh #更改权限
    (base) laifeng@laifeng-X6:~/bin$ ls -l hello.sh 
    -rwxr--r-- 1 laifeng laifeng 155 2月  22 20:14 hello.sh
    #使用绝对路径执行
    (base) laifeng@laifeng-X6:~/bin$ /home/laifeng/bin/hello.sh
    Hello world.  
    #使用相对路径执行
    (base) laifeng@laifeng-X6:~/bin$ ./hello.sh
    Hello world. 
    
    • 2.以bash程序来执行:通过bash hello.shsh hello.sh来执行
    #使用bash执行,正确
    (base) laifeng@laifeng-X6:~/bin$ bash hello.sh 
    Hello world.  
    #使用sh执行,结果错误
    (base) laifeng@laifeng-X6:~/bin$ sh hello.sh
    -e Hello world.  
    

    这里使用sh hello.sh来执行脚本结果错误的,为什么呢?
    查看sh指令:

    (base) laifeng@laifeng-X6:~/bin$ ls -l /bin/sh
    lrwxrwxrwx 1 root root 4 10月  6 23:49 /bin/sh -> dash
    

    发现sh指令是链接到dash程序的。原来是因为鸟哥使用的是CentOX 7.X系统,sh指 令默认链接到bash,而这里使用的Ubuntu18.04,在默认情况下,sh指令链接到的并不是bash。因此,使用了不同的shell程序执行脚本,运行结果有差异。
    所以,在Ubuntu上通过bash hello.sh来执行才能得到和书上一样的结果。或者将sh指令重新链接的bash也可以,具体参考:https://blog.csdn.net/gatieme/article/details/52136411

    • 3.变量「PATH」的功能:将shell.sh放在PATH指定的目录,执行hello.sh(脚本文件也需要具备可读和可执行(rx)的权限)(感觉有点麻烦,不建议使用)
    • 4.利用source执行脚本:使用命令source hello.sh
      利用source来执行脚本与前三种执行脚本的方式略有不同。前三个执行脚本的方式都是在子进程的bash中执行脚本,当子进程完成后,在子进程内的各项变量或操作将会结束而不会回到父进程中,而利用source命令则直接在父进程中执行。
      所以,为了让某些写入~/.bashrc的设置生效时,需要使用source ~/.bashrc

以上就是关于shell脚本的简单介绍,更多详细内容可以参考《鸟哥的LINUX私房菜 基础学习篇》。

你可能感兴趣的:(一.什么是shell脚本)