Search code examples
pythonargparse

I want Python argparse to throw an exception rather than usage


I don't think this is possible, but I want to handle exceptions from argparse myself.

For example:

import argparse
parser = argparse.ArgumentParser()
parser.add_argument('--foo', help='foo help', required=True)
try:
    args = parser.parse_args()
except:
    do_something()

When I run it:

$ myapp.py
usage: myapp --foo foo
myapp: error: argument --foo is required

But I want it to fall into the exception instead.


Solution

  • You can subclass ArgumentParser and override the error method to do something different when an error occurs:

    class ArgumentParserError(Exception): pass
    
    class ThrowingArgumentParser(argparse.ArgumentParser):
        def error(self, message):
            raise ArgumentParserError(message)
    
    parser = ThrowingArgumentParser()
    parser.add_argument(...)
    ...