ArgumentParser.add_argument_group(title=None, description=None)
By default, ArgumentParser
groups command-line arguments into “positional arguments” and “optional arguments” when displaying help messages. When there is a better conceptual grouping of arguments than this default one, appropriate groups can be created using the add_argument_group()
method:
1 2 3 4 5 6 7 8 9 10 | >>> parser = argparse.ArgumentParser(prog= 'PROG' , add_help=False) >>> group = parser.add_argument_group( 'group' ) >>> group.add_argument( '--foo' , help= 'foo help' ) >>> group.add_argument( 'bar' , help= 'bar help' ) >>> parser.print_help() usage: PROG [--foo FOO] bar group: bar bar help --foo FOO foo help |
The add_argument_group()
method returns an argument group object which has an add_argument()
method just like a regular ArgumentParser
. When an argument is added to the group, the parser treats it just like a normal argument, but displays the argument in a separate group for help messages. The add_argument_group()
method accepts title and description arguments which can be used to customize this display:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 | >>> parser = argparse.ArgumentParser(prog= 'PROG' , add_help=False) >>> group1 = parser.add_argument_group( 'group1' , 'group1 description' ) >>> group1.add_argument( 'foo' , help= 'foo help' ) >>> group2 = parser.add_argument_group( 'group2' , 'group2 description' ) >>> group2.add_argument( '--bar' , help= 'bar help' ) >>> parser.print_help() usage: PROG [--bar BAR] foo group1: group1 description foo foo help group2: group2 description --bar BAR bar help |
Note that any arguments not in your user-defined groups will end up back in the usual “positional arguments” and “optional arguments” sections.
Please login to continue.