Assume two Python classes, the first of which (Class 1) contains a function (function_c1) that encompasses some statement (some_statement), which - if true - returns a customized exception (MyException). Further assume that the second class (Class 2) executes the first class and wishes to pass on the customized exception (i.e., return the same exception itself). The following code exemplifies this situation:
class Class1:
''' My nifty class 1. '''
def __init__(self):
pass
def function_c1(self, some_input):
''' A function of class 1. '''
if some_statement(some_input):
return MyException('Some error message.')
return True
class Class2:
''' My nifty class 2. '''
def __init__(self):
pass
def function_c2(self, some_input):
''' A function of class 2. '''
my_handle = Class1()
try:
my_handle.function_c1(some_input)
except MyException as e:
return MyException(e)
return True
Why does Class 2 return 'True' irrespective of whether Class 1 returns the exception?
EDIT 1: In the example above, I had deliberately chosen to return
instead of to raise
the exception in order to render class 1 applicable to unit-testing.
self.assertRaises(Class1().function_c1(some_input))
Given my admittedly incomplete understanding of Python, I see only two options to eat the cake (i.e., conduct unit-testing) and keep it too (i.e., have class 2 receive the exception from class 1): (a) I either raise
as well as return
MyException in Class 1 (if that were even possible?), or (b) I use a different assert
statement.
EDIT 2: Thanks to some excellent feedback, I now understand that my original mistake was the result of having incorrectly used assertRaises
. It should have been used as below:
class MyException(Exception):
pass
class Class1:
...
with self.assertRaises(MyException):
Class1().function_c1(some_input)
However, the unit-test only passes when Class 1 raises a built-in exception, such as ValueError
(and consequently using with self.assertRaises(ValueError):
, of course). My user-defined exception MyException still does not pass the unit-test. Why could that be?