我希望命令行参数采用数组格式。
即 myprogram.py -a 1,2,4,5
当使用 doc opt 解析参数时,我想看看
{'a' = [1,2,4,5]} #the length of this array could be as long as user may like.
我不知道这是否可能。如果不是,我能做出的最佳调整是什么?
我希望命令行参数采用数组格式。
即 myprogram.py -a 1,2,4,5
当使用 doc opt 解析参数时,我想看看
{'a' = [1,2,4,5]} #the length of this array could be as long as user may like.
我不知道这是否可能。如果不是,我能做出的最佳调整是什么?
您不会让 docopt 执行此操作,因为逗号分隔的列表仅被视为可选参数。但是之后你可以很容易地自己做:
"""
Example of program with many options using docopt.
Usage:
myprogram.py -a NUMBERS
Options:
-h --help show this help message and exit
-a NUMBERS Comma separated list of numbers
"""
from docopt import docopt
if __name__ == '__main__':
args = docopt(__doc__, version='1.0.0rc2')
args['-a'] = [int(x) for x in args['-a'].split(',')]
print(args)
正确的答案是使用省略号...
来自 docopt 文档
...(省略号)一个或多个元素。要指定可以接受任意数量的重复元素,请使用省略号 (...),例如
my_program.py FILE ...
表示接受一个或多个 FILE。如果您想接受零个或多个元素,请使用括号,例如:my_program.py [FILE ...]
. 省略号用作左侧表达式的一元运算符。
使用在线解析器,您可以看到输出。
给定一个文档
Naval Fate.
Usage:
naval_fate.py ship new <name>...
naval_fate.py -h | --help
naval_fate.py --version
Options:
-h --help Show this screen.
--version Show version.
的输入ship new 1 2 3 4
将为您提供以下解析信息
{
"--help": false,
"--version": false,
"<name>": [
"1",
"2",
"3",
"4"
],
"new": true,
"ship": true
}