采用以下相当标准的代码:
from optparse import OptionParser
opts = OptionParser()
opts.add_option('-f', action="store_true")
opts.add_option("-x", dest="x", type="int", default=1)
options, args = opts.parse_args()
假设-x
和-f
是互斥的:当-x
和-f
都明确存在时,应报告错误。
如何检测-x
是否明确存在?即使不是,options
也会列出默认值。
一种方法是避免设置我宁愿不会做的默认值,因为--help
很好地打印默认值。
另一种方法是检查sys.argv
-x
的实例,如果-x
有多个名称,那么这有点尴尬(也就是说, - 名称)并且有多对互斥选项。
这有一个优雅的解决方案吗?
答案 0 :(得分:8)
您可以使用optparse
使用回调来完成此操作。根据您的代码构建:
from optparse import OptionParser
def set_x(option, opt, value, parser):
parser.values.x = value
parser.values.x_set_explicitly = True
opts = OptionParser()
opts.add_option('-f', action="store_true")
opts.add_option("-x", dest="x", type="int", default=1, action='callback',
callback=set_x)
options, args = opts.parse_args()
opts.values.ensure_value('x_set_explicitly', False)
if options.x_set_explicitly and options.f:
opts.error('options -x and -f are mutually exclusive')
现在让我们调用这个脚本op.py
。如果我python op.py -x 1 -f
,则回复为:
用法:op.py [options]
op.py:error:options -x和-f是互斥的
答案 1 :(得分:7)
使用argparse。 mutually exclusive groups有一个部分:
<强> argparse.add_mutually_exclusive_group(所需=假)强>
创建互斥组。 argparse将确保互斥组中只有一个参数存在 在命令行上:
>>> parser = argparse.ArgumentParser(prog='PROG')
>>> group = parser.add_mutually_exclusive_group()
>>> group.add_argument('--foo', action='store_true')
>>> group.add_argument('--bar', action='store_false')
>>> parser.parse_args(['--foo'])
Namespace(bar=True, foo=True)
>>> parser.parse_args(['--bar'])
Namespace(bar=False, foo=False)
>>> parser.parse_args(['--foo', '--bar'])
usage: PROG [-h] [--foo | --bar]
PROG: error: argument --bar: not allowed with argument --foo
无论如何,optparse已被弃用。