Skip to content

bpo-39091: Fix segfault when Exception constructor returns non-exception for gen.throw #17658

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 8 commits into from
Aug 3, 2021
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
26 changes: 26 additions & 0 deletions Lib/test/test_generators.py
Original file line number Diff line number Diff line change
Expand Up @@ -270,6 +270,32 @@ def gen():
self.assertEqual(next(g), "done")
self.assertEqual(sys.exc_info(), (None, None, None))

def test_except_throw_bad_exception(self):
class E(Exception):
def __new__(cls, *args, **kwargs):
return cls

def boring_generator():
yield

gen = boring_generator()

err_msg = 'should have returned an instance of BaseException'

with self.assertRaisesRegex(TypeError, err_msg):
gen.throw(E)

self.assertRaises(StopIteration, next, gen)

def generator():
with self.assertRaisesRegex(TypeError, err_msg):
yield

gen = generator()
next(gen)
with self.assertRaises(StopIteration):
gen.throw(E)

def test_stopiteration_error(self):
# See also PEP 479.

Expand Down
1 change: 1 addition & 0 deletions Misc/ACKS
Original file line number Diff line number Diff line change
Expand Up @@ -1244,6 +1244,7 @@ Peter Otten
Michael Otteneder
Richard Oudkerk
Russel Owen
Noah Oxer
Joonas Paalasmaa
Martin Packman
Shriphani Palakodety
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
Fix crash when using passing a non-exception to a generator's ``throw()`` method. Patch by Noah Oxer
20 changes: 16 additions & 4 deletions Python/errors.c
Original file line number Diff line number Diff line change
Expand Up @@ -84,17 +84,29 @@ _PyErr_GetTopmostException(PyThreadState *tstate)
}

static PyObject*
_PyErr_CreateException(PyObject *exception, PyObject *value)
_PyErr_CreateException(PyObject *exception_type, PyObject *value)
{
PyObject *exc;

if (value == NULL || value == Py_None) {
return _PyObject_CallNoArg(exception);
exc = _PyObject_CallNoArg(exception_type);
}
else if (PyTuple_Check(value)) {
return PyObject_Call(exception, value, NULL);
exc = PyObject_Call(exception_type, value, NULL);
}
else {
return PyObject_CallOneArg(exception, value);
exc = PyObject_CallOneArg(exception_type, value);
}

if (exc != NULL && !PyExceptionInstance_Check(exc)) {
PyErr_Format(PyExc_TypeError,
"calling %R should have returned an instance of "
"BaseException, not %s",
exception_type, Py_TYPE(exc)->tp_name);
Py_CLEAR(exc);
}

return exc;
}

void
Expand Down