基本用途:
my_framework create Project_title /path/to/project
OR
my_framework create Project_title
(即使用当前工作目录)
OR
my_framework update
(即更新my_framework而不是创建新项目)
我知道我可以为name
提供默认设置,但实际上name
不是是可选的,前提是用户已输入create
作为第一个论点。
我提出的最佳解决方案是使用name
的默认值,然后,如果参数name
等于其默认值,则抛出错误。但是,如果有一种方法可以让argparse为我工作,我宁愿学会这样做。
写两个脚本,my_framework_create
和my_framework_update
并不能在美学上吸引我。
#!/usr/bin/env python
import argparse
import os
import shutil
from subprocess import call
template_path = "/usr/local/klibs/template"
parser = argparse.ArgumentParser("MY_FRAMEWORK CLI", description='Creates a new MY_FRAMEWORK project or updates MY_FRAMEWORK')
parser.add_argument('action', choices=['create', 'update'], type=str, help='<help text>')
parser.add_argument('name', type=str, help='<help text>')
parser.add_argument('path', default=os.getcwd(), nargs="?", type=str, help='<help text>')
args = parser.parse_args()
if args.action == "create":
# do the create stuff
if args.action == "update":
# do the update stuff
答案 0 :(得分:5)
执行此操作的最佳方法是使用subparser
来自文档的示例:
>>> parser = argparse.ArgumentParser()
>>> subparsers = parser.add_subparsers(title='subcommands',
... description='valid subcommands',
... help='additional help')
>>> subparsers.add_parser('foo')
>>> subparsers.add_parser('bar')
>>> parser.parse_args(['-h'])
usage: [-h] {foo,bar} ...
optional arguments:
-h, --help show this help message and exit
subcommands:
valid subcommands
{foo,bar} additional help
在您的情况下,您将create
和update
作为单独的子分析师。
示例:
def create(args):
# do the create stuff
print(args)
def update(args):
# do the update stuff
print(args)
parser = argparse.ArgumentParser()
subparsers = parser.add_subparsers(title='subcommands',
description='valid subcommands',
help='additional help')
create_parser = subparsers.add_parser('create')
create_parser.add_argument('name', type=str)
create_parser.set_defaults(func=create)
update_parser = subparsers.add_parser('update')
update_parser.set_defaults(func=update)