这篇文章将为大家详细讲解有关怎么在Shell脚本中执行语法检查调试模式,小编觉得挺实用的,因此分享给大家做个参考,希望大家阅读完这篇文章后可以有所收获。
启用 verbose 调试模式
在进入本指导的重点之前,让我们简要地探索下 verbose 模式。它可以用 -v 调试选项来启用,它会告诉 shell 在读取时显示每行。
要展示这个如何工作,下面是一个示例脚本来批量将 PNG 图片转换成 JPG 格式。
将下面内容输入(或者复制粘贴)到一个文件中。
#!/bin/bash #convert for image in *.png; do convert "$image" "${image%.png}.jpg" echo "image $image converted to ${image%.png}.jpg" done exit 0
接着保存文件,并用下面的命令使脚本可执行:
$ chmod +x script.sh
我们可以执行脚本并显示它被 Shell 读取到的每一行:
$ bash -v script.sh
显示shell脚本中的所有行
在 Shell 脚本中启用语法检查调试模式
回到我们主题的重点,-n 激活语法检查模式。它会让 shell 读取所有的命令,但是不会执行它们,它(shell)只会检查语法。
一旦 shell 脚本中发现有错误,shell 会在终端中输出错误,不然就不会显示任何东西。
激活语法检查的命令如下:
$ bash -n script.sh
因为脚本中的语法是正确的,上面的命令不会显示任何东西。所以,让我们尝试删除结束 for 循环的 done 来看下是否会显示错误:
下面是修改过的含有 bug 的批量将 png 图片转换成 jpg 格式的脚本。
#!/bin/bash #script with a bug #convert for image in *.png; do convert "$image" "${image%.png}.jpg" echo "image $image converted to ${image%.png}.jpg" exit 0
保存文件,接着运行该脚本并执行语法检查:
$ bash -n script.sh
检查 shell 脚本语法
从上面的输出中,我们看到我们的脚本中有一个错误,for 循环缺少了一个结束的 done 关键字。shell 脚本从头到尾检查文件,一旦没有找到它(done),shell 会打印出一个语法错误:
script.sh: line 11: syntax error: unexpected end of file
我们可以同时结合 verbose 模式和语法检查模式:
$ bash -vn script.sh
在脚本中同时启用 verbose 检查和语法检查
另外,我们可以通过修改脚本的首行来启用脚本检查,如下面的例子:
#!/bin/bash -n #altering the first line of a script to enable syntax checking #convert for image in *.png; do convert "$image" "${image%.png}.jpg" echo "image $image converted to ${image%.png}.jpg" exit 0
如上所示,保存文件并在运行中检查语法:
$ ./script.sh script.sh: line 12: syntax error: unexpected end of file
此外,我们可以用内置的 set 命令来在脚本中启用调试模式。
下面的例子中,我们只检查脚本中的 for 循环语法。
#!/bin/bash #using set shell built-in command to enable debugging #convert #enable debugging set -n for image in *.png; do convert "$image" "${image%.png}.jpg" echo "image $image converted to ${image%.png}.jpg" #disable debugging set +n exit 0
再一次保存并执行脚本:
$ ./script.sh
关于“怎么在Shell脚本中执行语法检查调试模式”这篇文章就分享到这里了,希望以上内容可以对大家有一定的帮助,使各位可以学到更多知识,如果觉得文章不错,请把它分享出去让更多的人看到。