There are a few ways to catch multiple exceptions.
The first is by creating a tuple of the exception types you wish to catch and handle in the same manner. This example will cause the code to ignore KeyError
and AttributeError
exceptions.
try:
d = {}
a = d[1]
b = d.non_existing_field
except (KeyError, AttributeError) as e:
print("A KeyError or an AttributeError exception has been caught.")
If you wish to handle different exceptions in different ways, you can provide a separate exception block for each type. In this example, we still catch the KeyError
and AttributeError
, but handle the exceptions in different manners.
try:
d = {}
a = d[1]
b = d.non_existing_field
except KeyError as e:
print("A KeyError has occurred. Exception message:", e)
except AttributeError as e:
print("An AttributeError has occurred. Exception message:", e)