使用 argparse 将 argparse
与组之间的 Python 依赖关系结合使用,我有一个解析器的某个解析器组的参数部分 - 例如:
group_simulate.add_argument('-P',
help='simulate FC port down',
nargs=1,
metavar='fc_port_name',
dest='simulate')
如何使用选择将选择限制为下一个结构的参数列表:
1:m:"number between 1 and 10":p:"number between 1 and 4"
我尝试使用范围选项,但找不到创建可接受的选项列表的方法
例子:法律参数:
test.py -P 1:m:4:p:2
不是法律参数:
test.py -P 1:p:2
test.py -P abvds
非常感谢你们的帮助!
您可以定义一个自定义类型,如果字符串将引发argparse.ArgumentTypeError
与您需要的格式不匹配。
def SpecialString(v):
fields = v.split(":")
# Raise a value error for any part of the string
# that doesn't match your specification. Make as many
# checks as you need. I've only included a couple here
# as examples.
if len(fields) != 5:
raise argparse.ArgumentTypeError("String must have 5 fields")
elif not (1 <= int(fields[2]) <= 10):
raise argparse.ArgumentTypeError("Field 3 must be between 1 and 10, inclusive")
else:
# If all the checks pass, just return the string as is
return v
group_simulate.add_argument('-P',
type=SpecialString,
help='simulate FC port down',
nargs=1,
metavar='fc_port_name',
dest='simulate')
更新:这是一个完整的自定义类型来检查值。所有检查都已完成在正则表达式中,尽管它只给出一个通用错误消息如果任何部分出错。
def SpecialString(v):
import re # Unless you've already imported re previously
try:
return re.match("^1:m:([1-9]|10):p:(1|2|3|4)$", v).group(0)
except:
raise argparse.ArgumentTypeError("String '%s' does not match required format"%(v,))
如果我正确理解了这个问题,你只是在寻找:
group_simulate.add_argument('-P',
help='simulate FC port down',
type=int,
metavar='fc_port_name',
dest='simulate',
choices=range(1, 10)) # answer
来源: https://docs.python.org/3/library/argparse.html#choices