在编写 shell 脚本时,我经常发现自己大部分时间(尤其是在调试时)都在处理参数处理。我编写或维护的许多脚本很容易超过 80% 的输入解析和清理。我将其与我的 Python 脚本进行比较,其中argparse为我处理大部分繁重的工作,并让我轻松构建复杂的选项结构和清理/字符串解析行为。
因此,我希望能够让 Python 完成这项繁重的工作,然后在我的 shell 脚本中获取这些经过简化和清理的值,而无需再担心用户指定的参数。
举一个具体的例子,我工作的许多 shell 脚本都被定义为以特定顺序接受它们的参数。您可以调用start_server.sh --server myserver --port 80
但start_server.sh --port 80 --server myserver
失败You must specify a server to start.
- 它使解析代码更简单,但它几乎不直观。
因此,第一次通过的解决方案可能很简单,比如让 Python 接受参数,对它们进行排序(将它们的参数放在旁边)并返回排序后的参数。因此,shell 脚本仍然会进行一些解析和清理,但用户可以输入比 shell 脚本本机接受的更多的任意内容,例如:
# script.sh -o -aR --dir /tmp/test --verbose
#!/bin/bash
args=$(order.py "$@")
# args is set to "-a --dir /tmp/test -o -R --verbose"
# simpler processing now that we can guarantee the order of parameters
这里有一些明显的限制,特别是parse.py
无法区分带有参数的最终选项和索引参数的开始,但这似乎并不那么糟糕。
所以这是我的问题:1)是否有任何现有的(最好是 Python)实用程序可以通过比 bash 更强大的东西来启用 CLI 解析,然后可以在清理后由我的 bash 脚本的其余部分访问,或者2)以前有没有人这样做过? 是否有我不知道的问题、陷阱或更好的解决方案?愿意分享你的实现吗?
一个(非常不成熟的)想法:
#!/bin/bash
# Some sort of simple syntax to describe to Python what arguments to accept
opts='
"a", "append", boolean, help="Append to existing file"
"dir", str, help="Directory to run from"
"o", "overwrite", boolean, help="Overwrite duplicates"
"R", "recurse", boolean, help="Recurse into subdirectories"
"v", "verbose", boolean, help="Print additional information"
'
# Takes in CLI arguments and outputs a sanitized structure (JSON?) or fails
p=$(parse.py "Runs complex_function with nice argument parsing" "$opts" "$@")
if [ $? -ne 0 ]; exit 1; fi # while parse outputs usage to stderr
# Takes the sanitized structure and an argument to get
append=$(arg.py "$p" append)
overwrite=$(arg.py "$p" overwrite)
recurse=$(arg.py "$p" recurse)
verbose=$(arg.py "$p" verbose)
cd $(python arg.py "$p" dir)
complex_function $append $overwrite $recurse $verbose
两行代码,以及对预期参数的简明描述,我们将进入实际的脚本行为。也许我疯了,但这似乎比我现在必须做的要好得多。
我已经看到Parsing shell script arguments和类似这个 wiki page on easy CLI argument parsing的东西,但是其中许多模式感觉笨重且容易出错,我不喜欢每次编写 shell 脚本时都必须重新实现它们,尤其是当Python、Java 等都有很好的参数处理库。