I need to give some context before the question. Please bear with me. Using boost::python I expose some exception types to Python, say MyExceptionType
. I have a boomTest
that I expose to Python to check that it works. Python calls boomTest
and it handles MyExceptionType
correctly, so far so good. This is the C++ side of things:
static void boomTest() {
throw MyExceptionType("Smoked too many Cohibas!");
}
static PyObject *myExceptionPtr = NULL;
static void translate(MyExceptionType const &exception) {
assert(myExceptionPtr != NULL);
boost::python::object pythonExceptionInstance(exception);
PyErr_SetObject(myExceptionPtr, pythonExceptionInstance.ptr());
}
BOOST_PYTHON_MODULE(test) {
class_<MyExceptionType> myException("MyExceptionType", no_init);
myException.add_property("message", &MyExceptionType::what);
myExceptionPtr = myException.ptr();
register_exception_translator<MyExceptionType>(&translate);
}
And this is the Python side of things:
import sys
import example
reload(example)
from example import MyExceptionType, boomTest
def tryBoomTest():
try:
boomTest()
except MyExceptionType as ex:
print 'Success! MyExceptionType gracefully handled:' \
'\n message="%s"' % ex.message
except:
print 'Caught unhandled exception: %s "%s"' % (sys.exc_info()[0], sys.exc_info()[1])
Now things get a bit hairy because in a real use case, I have a callback to Python from a C++ Boost (non-Python) thread as follows:
# this is a Python callback invoked from a C++ boost non-Python thread
def handle(future):
try:
# future.get() throws MyExceptionType if there was a cluster exception
"Cluster response received with value: %s" % future.get()
except MyExceptionType as ex:
print 'Success! MyExceptionType gracefully handled:' \
'\n message="%s"' % ex.message
And now the OP:
Why is my C++ callback trigger getting a boost::python::error_already_set
exception when the future.get()
call throws a MyExceptionType
intended for Python to handle? I suspect this behavior is caused by the fact that the exception is thrown within a C++ (non-Python) thread ...
What is needed to force Python handling the exception as in the example case at the beginning?
I have tried in the callback trigger from C++ to do the following:
void callbackTrigger() {
try {
pythonHandle_(getFuture());
}
// why do I get this???
catch (boost::python::error_already_set&) {
// this doesn't help, Python doesn't still handle MyExceptionType
boost::python::handle_exception();
}
}
I validated my theory about Python not liking to handle exceptions thrown (even in Python code) but executed as part of an alien C++ thread. Therefore I built this pure Python wrapper to be able to handle the callback in the main Python thread.
It is not ideal but it works and the output is correct: