在 Bash 脚本中使用 getopts

Fumbani Banda 2023年1月30日
  1. 在 Bash getopts 中使用参数解析选项
  2. 在 Bash getopts 中解析不带参数的选项
在 Bash 脚本中使用 getopts

本教程通过解析带参数的选项和不带参数的选项来展示 bash 脚本中 getopts 的用法。

在 Bash getopts 中使用参数解析选项

字母 nc 前面都有:。这意味着我们希望在使用选项 -n-c 时提供一个参数。变量 opt 保存了由 getopts 解析的当前选项的值。

while getopts n:c: opt
do
    case "${opt}" in
          n) name=${OPTARG};;
          c) country=${OPTARG}
     esac
done
echo "I am $name";
echo  "And I live in $country";

当我们运行脚本时,-n 选项提供 John 作为参数,而 -c 选项提供 Britain 作为参数。

bash flags.sh -n John  -c Britain

输出:

I am John
And I live in Britain

在 Bash getopts 中解析不带参数的选项

这将使用一个简单的 bash 脚本,它在传递 -h 选项时打印脚本 usage,并在使用 -p 选项和指定的文件夹路径时打印文件夹的内容作为争论。

第一个 : 表示 getopts 不会报告任何错误。相反,我们将自己处理错误。字母 p 前面有一个 :,而字母 h 没有。这意味着无论何时使用 -p 选项,我们都需要一个参数,但 -h 选项可以不带参数使用。

-h 选项被传递时,它会调用 usage 函数。-p 选项分配传递给 path 变量的参数,然后将其作为参数传递给 list 函数。* 指定每当传递一个不是 -h-p 的选项时要采取的操作。

#!/bin/bash

function usage {
       printf "Usage:\n"
       printf " -h                               Display this help message.\n"
       printf " -p <folder path>                 List contents of specified folder.\n"
       exit 0
}

function list {
       ls -l $1
}

while getopts :p:h opt; do
    case ${opt} in
      h)
         usage
        ;;
      p) path=${OPTARG}
         list $path
         #echo $folder
       ;;
      *)
          printf "Invalid Option: $1.\n"
          usage
       ;;
     esac
done

使用 -h 选项运行脚本:

 ./getopts.sh -h
Usage:
 -h                               Display this help message.
 -p <folder path>                 List contents of specified folder.

使用 -p 选项运行脚本:

./getopts.sh -p /home/fumba/example
total 0
-rw-r--r-- 1 fumba fumba    0 Nov  1 21:43 file1.txt
-rw-r--r-- 1 fumba fumba    0 Nov  1 21:43 file2.txt
drwxr-xr-x 1 fumba fumba 4096 Nov  1 21:43 pictures

使用无效选项 -k 运行脚本:

./getopts.sh -k
Invalid Option: -k.
Usage:
 -h                               Display this help message.
 -p <folder path>                 List contents of specified folder.
作者: Fumbani Banda
Fumbani Banda avatar Fumbani Banda avatar

Fumbani is a tech enthusiast. He enjoys writing on Linux and Python as well as contributing to open-source projects.

LinkedIn GitHub

相关文章 - Bash Script