63
One of the recipes from the documentation suggests:
For positional arguments with nargs equal to
?
or*
, thedefault
value is used when no command-line argument was present.
So following should do the trick (it will return value if provided or default value otherwise):
parser.add_argument('delay', type=int, nargs='?', default=21)
Usage:
$ ./manage.py mycommand
21
$ ./manage.py mycommand 4
4
11
You can use the dash syntax for optional keyword arguments:
class Command(BaseCommand):
def add_arguments(self, parser):
parser.add_argument("-d", "--delay", type=int)
def handle(self, *args, **options):
delay = options["delay"] if options["delay"] else 21
print(delay)
Use:
$ python manage.py mycommand -d 4
4
$ python manage.py mycommand --delay 4
4
$ python manage.py mycommand
21
Docs:
Simple explanation:
- [Django]-How to pass kwargs from save to post_save signal
- [Django]-How to add a sortable count column to the Django admin of a model with a many-to-one relation?
- [Django]-Django print choices value
Source:stackexchange.com