我正在使用argparse来处理cmd args,我想如果没有指定args,则打印帮助消息,但现在解析将输出错误,然后退出。 我的代码是:
def main():
print "in abing/start/main"
parser = argparse.ArgumentParser(prog="abing")#, usage="%(prog)s <command> [args] [--help]")
parser.add_argument("-v", "--verbose", action="store_true", default=False, help="show verbose output")
subparsers = parser.add_subparsers(title="commands")
bkr_subparser = subparsers.add_parser("beaker", help="beaker inspection")
bkr_subparser.set_defaults(command=beaker_command)
bkr_subparser.add_argument("-m", "--max", action="store", default=3, type=int, help="max resubmit count")
bkr_subparser.add_argument("-g", "--grain", action="store", default="J", choices=["J", "RS", "R", "T", "job", "recipeset", "recipe", "task"], type=str, help="resubmit selection granularity")
bkr_subparser.add_argument("job_ids", nargs=1, action="store", help="list of job id to be monitored")
et_subparser = subparsers.add_parser("errata", help="errata inspection")
et_subparser.set_defaults(command=errata_command)
et_subparser.add_argument("-w", "--workflows", action="store_true", help="generate workflows for the erratum")
et_subparser.add_argument("-r", "--run", action="store_true", help="generate workflows, and run for the erratum")
et_subparser.add_argument("-s", "--start-monitor", action="store_true", help="start monitor the errata system")
et_subparser.add_argument("-d", "--daemon", action="store_true", help="run monitor into daemon mode")
et_subparser.add_argument("erratum", action="store", nargs=1, metavar="ERRATUM", help="erratum id")
if len(sys.argv) == 1:
parser.print_help()
return
args = parser.parse_args()
args.command(args)
return
我该怎么做? 感谢。
答案 0 :(得分:3)
解决方案包括继承argparse.ArgumentParser
并重新定义其error()
方法。实际上,出错时,ArgumentParser
会调用其error()
方法。然后可以通过子类而不是argparse.ArgumentParser
执行自定义参数解析。 error()
的源代码中找到了argparse
函数模型:
def error(self, message):
"""error(message: string)
Prints a usage message incorporating the message to stderr and
exits.
If you override this in a subclass, it should not return -- it
should either exit or raise an exception.
"""
self.print_usage(sys.stderr)
self.exit(2, '%s: error: %s\n' % (self.prog, message))
例如,可以在error()
中引发异常,而不是打印消息,以便调用parse_args()
的代码负责用户参数的问题。
原始答案:根据评论中的说明,以下不起作用。但是,它提供了一种从子命令函数访问帮助消息的机制:
您几乎拥有它:在每个*_command(args)
函数中,您可以测试args
的大小,并在没有足够的参数时打印错误消息。
如果要在命令函数中使用自动生成的帮助,可以通过将subparser传递给每个命令来获取它,如下所示:
args.command(subparsers, args) # Instead of args.command(args)
每个*_command()
函数应该只使用两个参数而不是一个。可以通过以下方式访问自动生成的帮助:
subparsers.choices['beaker'].print_help() # or print_usage()
例如。
您也可以选择直接将特定子分析符传递给每个子命令例程*_command()
:
args.command(subparsers.choices[sys.argv[1]], args)
然后,在每个*_command(subparser, args)
中,使用subparser.print_help()
打印帮助。