Per tutte le capacità e le opzioni in argparse
non credo che tu abbia mai ottenere una stringa di utilizzo che "in scatola" sguardi come quello che vuoi
Detto questo, hai guardato sotto-parser dal tuo post originale?
Ecco un'implementazione barebone:
import argparse
parser = argparse.ArgumentParser(prog='mydaemon')
sp = parser.add_subparsers()
sp_start = sp.add_parser('start', help='Starts %(prog)s daemon')
sp_stop = sp.add_parser('stop', help='Stops %(prog)s daemon')
sp_restart = sp.add_parser('restart', help='Restarts %(prog)s daemon')
parser.parse_args()
L'esecuzione di questo con i rendimenti -h
opzione:
usage: mydaemon [-h] {start,stop,restart} ...
positional arguments:
{start,stop,restart}
start Starts mydaemon daemon
stop Stops mydaemon daemon
restart Restarts mydaemon daemon
Uno dei vantaggi di questo approccio è in grado di utilizzare set_defaults
per ogni sotto-parser per agganciare una funzione direttamente all'argomento. Ho anche aggiunto un'opzione "graziosa" per stop
e restart
:
import argparse
def my_stop(args):
if args.gracefully:
print "Let's try to stop..."
else:
print 'Stop, now!'
parser = argparse.ArgumentParser(prog='mydaemon')
graceful = argparse.ArgumentParser(add_help=False)
graceful.add_argument('-g', '--gracefully', action='store_true', help='tries to terminate the process gracefully')
sp = parser.add_subparsers()
sp_start = sp.add_parser('start', help='Starts %(prog)s daemon')
sp_stop = sp.add_parser('stop', parents=[graceful],
description='Stops the daemon if it is currently running.',
help='Stops %(prog)s daemon')
sp_restart = sp.add_parser('restart', parents=[graceful], help='Restarts %(prog)s daemon')
sp_stop.set_defaults(func=my_stop)
args = parser.parse_args()
args.func(args)
Mostrando il messaggio "help" per stop
:
$ python mydaemon.py stop -h
usage: mydaemon stop [-h] [-g]
Stops the daemon if it is currently running.
optional arguments:
-h, --help show this help message and exit
-g, --gracefully tries to terminate the process gracefully
Arresto "grazia":
$ python mydaemon.py stop -g
Let's try to stop...
Ma non viene mostrato come determinare quale start stop o riavvio sono state selezionate. Quando provo a visualizzare il repr degli argomenti, non viene mostrato nessuno degli argomenti relativi ai parser secondari. –