8

我将我的 python 应用程序用作命令行工具,特性docopt 库。使用该库很容易实现命令。但是,现在我找不到完成以下要求的方法:

文档字符串是:

"""
aTXT tool

Usage:
  aTXT <source>... [--ext <ext>...]

Options:
    --ext       message

"""

从shell,我想写这样的东西:

atxt a b c --ext e f g

docopt 输出的结果字典如下:

 {'--ext': True,
 '<ext>': [],
 '<source>': ['a', 'b', 'c', 'e', 'f']}

但是,我需要具备以下条件:

 {'--ext': True,
 '<ext>': ['e', 'f', 'g'],
 '<source>': ['a', 'b', 'c']}

我该如何进行?

4

1 回答 1

8

我一直无法找到将列表直接传递到 Docopt 参数字典的方法。但是,我已经制定了一个解决方案,允许我将一个字符串传递给 Docopt,然后将该字符串转换为一个列表。

您的 Docopt文档存在问题,我对其进行了修改,以便测试针对您的案例的解决方案。此代码是用 Python 3.4 编写的。

命令行 :

$python3 gitHubTest.py a,b,c -e 'e,f,g'

gitHubTest.py

"""
aTXT tool

Usage:
  aTXT.py [options] (<source>)

Options:
  -e ext, --extension=ext    message

"""
from docopt import docopt

def main(args) :
    if args['--extension'] != None:
        extensions = args['--extension'].rsplit(sep=',')
        print (extensions)

if __name__ == '__main__':
    args = docopt(__doc__, version='1.00')
    print (args)
    main(args)

返回:

{
'--extension': 'e,f,g',
'<source>': 'a,b,c'
}
['e', 'f', 'g']

在 main() 中创建的变量“扩展”现在是您希望传入的列表。

于 2015-06-10T05:28:00.483 回答