blob: 3810108e356637f715d0ab2ab5a0bb5dd9d2cdff [file] [log] [blame]
Guido van Rossum3bead091992-01-27 17:00:37 +00001# Python test set -- part 5, built-in exceptions
2
Serhiy Storchakab7853962017-04-08 09:55:07 +03003import copy
Pablo Galindo9b648a92020-09-01 19:39:46 +01004import gc
Thomas Wouters73e5a5b2006-06-08 15:35:45 +00005import os
6import sys
Thomas Wouters4d70c3d2006-06-08 14:42:34 +00007import unittest
Guido van Rossumbf12cdb2006-08-17 20:24:18 +00008import pickle
Barry Warsaw8d109cb2008-05-08 04:26:35 +00009import weakref
Antoine Pitroua7622852011-09-01 21:37:43 +020010import errno
Pablo Galindoa77aac42021-04-23 14:27:05 +010011from textwrap import dedent
Thomas Wouters73e5a5b2006-06-08 15:35:45 +000012
Hai Shi46605972020-08-04 00:49:18 +080013from test.support import (captured_stderr, check_impl_detail,
14 cpython_only, gc_collect,
15 no_tracing, script_helper,
xdegaye56d1f5c2017-10-26 15:09:06 +020016 SuppressCrashReport)
Hai Shi46605972020-08-04 00:49:18 +080017from test.support.import_helper import import_module
18from test.support.os_helper import TESTFN, unlink
19from test.support.warnings_helper import check_warnings
Victor Stinnere4d300e2019-05-22 23:44:02 +020020from test import support
21
22
Richard Oudkerk5562d9d2012-07-28 17:45:28 +010023class NaiveException(Exception):
24 def __init__(self, x):
25 self.x = x
26
27class SlottedNaiveException(Exception):
28 __slots__ = ('x',)
29 def __init__(self, x):
30 self.x = x
31
Martin Panter3263f682016-02-28 03:16:11 +000032class BrokenStrException(Exception):
33 def __str__(self):
34 raise Exception("str() is broken")
35
Guido van Rossum3bead091992-01-27 17:00:37 +000036# XXX This is not really enough, each *operation* should be tested!
37
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000038class ExceptionTests(unittest.TestCase):
Barry Warsawb9c1d3d2001-08-13 23:07:00 +000039
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000040 def raise_catch(self, exc, excname):
Pablo Galindoaf8e5f82020-05-17 01:22:00 +010041 with self.subTest(exc=exc, excname=excname):
42 try:
43 raise exc("spam")
44 except exc as err:
45 buf1 = str(err)
46 try:
47 raise exc("spam")
48 except exc as err:
49 buf2 = str(err)
50 self.assertEqual(buf1, buf2)
51 self.assertEqual(exc.__name__, excname)
Guido van Rossum3bead091992-01-27 17:00:37 +000052
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000053 def testRaising(self):
54 self.raise_catch(AttributeError, "AttributeError")
55 self.assertRaises(AttributeError, getattr, sys, "undefined_attribute")
Guido van Rossum3bead091992-01-27 17:00:37 +000056
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000057 self.raise_catch(EOFError, "EOFError")
Inada Naoki8bbfeb32021-04-02 12:53:46 +090058 fp = open(TESTFN, 'w', encoding="utf-8")
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000059 fp.close()
Inada Naoki8bbfeb32021-04-02 12:53:46 +090060 fp = open(TESTFN, 'r', encoding="utf-8")
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000061 savestdin = sys.stdin
62 try:
63 try:
64 import marshal
Antoine Pitrou4a90ef02012-03-03 02:35:32 +010065 marshal.loads(b'')
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000066 except EOFError:
67 pass
68 finally:
69 sys.stdin = savestdin
70 fp.close()
71 unlink(TESTFN)
Guido van Rossum3bead091992-01-27 17:00:37 +000072
Antoine Pitrou6b4883d2011-10-12 02:54:14 +020073 self.raise_catch(OSError, "OSError")
74 self.assertRaises(OSError, open, 'this file does not exist', 'r')
Guido van Rossum3bead091992-01-27 17:00:37 +000075
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000076 self.raise_catch(ImportError, "ImportError")
77 self.assertRaises(ImportError, __import__, "undefined_module")
Guido van Rossum3bead091992-01-27 17:00:37 +000078
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000079 self.raise_catch(IndexError, "IndexError")
80 x = []
81 self.assertRaises(IndexError, x.__getitem__, 10)
Guido van Rossum3bead091992-01-27 17:00:37 +000082
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000083 self.raise_catch(KeyError, "KeyError")
84 x = {}
85 self.assertRaises(KeyError, x.__getitem__, 'key')
Guido van Rossum3bead091992-01-27 17:00:37 +000086
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000087 self.raise_catch(KeyboardInterrupt, "KeyboardInterrupt")
Guido van Rossum3bead091992-01-27 17:00:37 +000088
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000089 self.raise_catch(MemoryError, "MemoryError")
Guido van Rossum3bead091992-01-27 17:00:37 +000090
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000091 self.raise_catch(NameError, "NameError")
92 try: x = undefined_variable
93 except NameError: pass
Guido van Rossum3bead091992-01-27 17:00:37 +000094
Thomas Wouters4d70c3d2006-06-08 14:42:34 +000095 self.raise_catch(OverflowError, "OverflowError")
96 x = 1
97 for dummy in range(128):
98 x += x # this simply shouldn't blow up
Guido van Rossum3bead091992-01-27 17:00:37 +000099
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000100 self.raise_catch(RuntimeError, "RuntimeError")
Yury Selivanovf488fb42015-07-03 01:04:23 -0400101 self.raise_catch(RecursionError, "RecursionError")
Guido van Rossum3bead091992-01-27 17:00:37 +0000102
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000103 self.raise_catch(SyntaxError, "SyntaxError")
Georg Brandl7cae87c2006-09-06 06:51:57 +0000104 try: exec('/\n')
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000105 except SyntaxError: pass
Guido van Rossum3bead091992-01-27 17:00:37 +0000106
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000107 self.raise_catch(IndentationError, "IndentationError")
Fred Drake72e48bd2000-09-08 16:32:34 +0000108
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000109 self.raise_catch(TabError, "TabError")
Georg Brandle1b5ac62008-06-04 13:06:58 +0000110 try: compile("try:\n\t1/0\n \t1/0\nfinally:\n pass\n",
111 '<string>', 'exec')
112 except TabError: pass
113 else: self.fail("TabError not raised")
Fred Drake72e48bd2000-09-08 16:32:34 +0000114
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000115 self.raise_catch(SystemError, "SystemError")
Fred Drake72e48bd2000-09-08 16:32:34 +0000116
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000117 self.raise_catch(SystemExit, "SystemExit")
118 self.assertRaises(SystemExit, sys.exit, 0)
Fred Drake85f36392000-07-11 17:53:00 +0000119
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000120 self.raise_catch(TypeError, "TypeError")
121 try: [] + ()
122 except TypeError: pass
Fred Drake85f36392000-07-11 17:53:00 +0000123
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000124 self.raise_catch(ValueError, "ValueError")
Guido van Rossume63bae62007-07-17 00:34:25 +0000125 self.assertRaises(ValueError, chr, 17<<16)
Guido van Rossum3bead091992-01-27 17:00:37 +0000126
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000127 self.raise_catch(ZeroDivisionError, "ZeroDivisionError")
128 try: x = 1/0
129 except ZeroDivisionError: pass
Guido van Rossum3bead091992-01-27 17:00:37 +0000130
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000131 self.raise_catch(Exception, "Exception")
132 try: x = 1/0
Guido van Rossumb940e112007-01-10 16:19:56 +0000133 except Exception as e: pass
Guido van Rossum3bead091992-01-27 17:00:37 +0000134
Yury Selivanovccc897f2015-07-03 01:16:04 -0400135 self.raise_catch(StopAsyncIteration, "StopAsyncIteration")
136
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000137 def testSyntaxErrorMessage(self):
138 # make sure the right exception message is raised for each of
139 # these code fragments
Guido van Rossum3bead091992-01-27 17:00:37 +0000140
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000141 def ckmsg(src, msg):
Pablo Galindoaf8e5f82020-05-17 01:22:00 +0100142 with self.subTest(src=src, msg=msg):
143 try:
144 compile(src, '<fragment>', 'exec')
145 except SyntaxError as e:
146 if e.msg != msg:
147 self.fail("expected %s, got %s" % (msg, e.msg))
148 else:
149 self.fail("failed to get expected SyntaxError")
Guido van Rossum3bead091992-01-27 17:00:37 +0000150
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000151 s = '''if 1:
152 try:
153 continue
154 except:
155 pass'''
Jeremy Hyltonede049b2001-09-26 20:01:13 +0000156
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000157 ckmsg(s, "'continue' not properly in loop")
158 ckmsg("continue\n", "'continue' not properly in loop")
Thomas Wouters303de6a2006-04-20 22:42:37 +0000159
Martijn Pieters772d8092017-08-22 21:16:23 +0100160 def testSyntaxErrorMissingParens(self):
161 def ckmsg(src, msg, exception=SyntaxError):
162 try:
163 compile(src, '<fragment>', 'exec')
164 except exception as e:
165 if e.msg != msg:
166 self.fail("expected %s, got %s" % (msg, e.msg))
167 else:
168 self.fail("failed to get expected SyntaxError")
169
170 s = '''print "old style"'''
171 ckmsg(s, "Missing parentheses in call to 'print'. "
172 "Did you mean print(\"old style\")?")
173
174 s = '''print "old style",'''
175 ckmsg(s, "Missing parentheses in call to 'print'. "
176 "Did you mean print(\"old style\", end=\" \")?")
177
178 s = '''exec "old style"'''
179 ckmsg(s, "Missing parentheses in call to 'exec'")
180
181 # should not apply to subclasses, see issue #31161
182 s = '''if True:\nprint "No indent"'''
Pablo Galindo56c95df2021-04-21 15:28:21 +0100183 ckmsg(s, "expected an indented block after 'if' statement on line 1", IndentationError)
Martijn Pieters772d8092017-08-22 21:16:23 +0100184
185 s = '''if True:\n print()\n\texec "mixed tabs and spaces"'''
186 ckmsg(s, "inconsistent use of tabs and spaces in indentation", TabError)
187
Batuhan Taskaya76c1b4d2020-05-01 16:13:43 +0300188 def check(self, src, lineno, offset, encoding='utf-8'):
Pablo Galindoaf8e5f82020-05-17 01:22:00 +0100189 with self.subTest(source=src, lineno=lineno, offset=offset):
190 with self.assertRaises(SyntaxError) as cm:
191 compile(src, '<fragment>', 'exec')
192 self.assertEqual(cm.exception.lineno, lineno)
193 self.assertEqual(cm.exception.offset, offset)
194 if cm.exception.text is not None:
195 if not isinstance(src, str):
196 src = src.decode(encoding, 'replace')
197 line = src.split('\n')[lineno-1]
198 self.assertIn(line, cm.exception.text)
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200199
Batuhan Taskaya76c1b4d2020-05-01 16:13:43 +0300200 def testSyntaxErrorOffset(self):
201 check = self.check
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200202 check('def fact(x):\n\treturn x!\n', 2, 10)
203 check('1 +\n', 1, 4)
204 check('def spam():\n print(1)\n print(2)', 3, 10)
205 check('Python = "Python" +', 1, 20)
206 check('Python = "\u1e54\xfd\u0163\u0125\xf2\xf1" +', 1, 20)
Serhiy Storchaka0cc6b5e2020-02-12 12:17:00 +0200207 check(b'# -*- coding: cp1251 -*-\nPython = "\xcf\xb3\xf2\xee\xed" +',
208 2, 19, encoding='cp1251')
209 check(b'Python = "\xcf\xb3\xf2\xee\xed" +', 1, 18)
Batuhan Taskayaa698d522021-01-21 00:38:47 +0300210 check('x = "a', 1, 5)
Ammar Askar025eb982018-09-24 17:12:49 -0400211 check('lambda x: x = 2', 1, 1)
Lysandros Nikolaou15acc4e2020-10-27 20:54:20 +0200212 check('f{a + b + c}', 1, 2)
Lysandros Nikolaoue5fe5092021-01-14 23:36:30 +0200213 check('[file for str(file) in []\n])', 1, 11)
214 check('[\nfile\nfor str(file)\nin\n[]\n]', 3, 5)
215 check('[file for\n str(file) in []]', 2, 2)
Ammar Askar025eb982018-09-24 17:12:49 -0400216
217 # Errors thrown by compile.c
218 check('class foo:return 1', 1, 11)
219 check('def f():\n continue', 2, 3)
220 check('def f():\n break', 2, 3)
221 check('try:\n pass\nexcept:\n pass\nexcept ValueError:\n pass', 2, 3)
222
223 # Errors thrown by tokenizer.c
224 check('(0x+1)', 1, 3)
225 check('x = 0xI', 1, 6)
226 check('0010 + 2', 1, 4)
227 check('x = 32e-+4', 1, 8)
228 check('x = 0o9', 1, 6)
Serhiy Storchaka0cc6b5e2020-02-12 12:17:00 +0200229 check('\u03b1 = 0xI', 1, 6)
230 check(b'\xce\xb1 = 0xI', 1, 6)
231 check(b'# -*- coding: iso8859-7 -*-\n\xe1 = 0xI', 2, 6,
232 encoding='iso8859-7')
Pablo Galindo11a7f152020-04-21 01:53:04 +0100233 check(b"""if 1:
234 def foo():
235 '''
236
237 def bar():
238 pass
239
240 def baz():
241 '''quux'''
Batuhan Taskayaa698d522021-01-21 00:38:47 +0300242 """, 9, 24)
Pablo Galindobcc30362020-05-14 21:11:48 +0100243 check("pass\npass\npass\n(1+)\npass\npass\npass", 4, 4)
244 check("(1+)", 1, 4)
Ammar Askar025eb982018-09-24 17:12:49 -0400245
246 # Errors thrown by symtable.c
Serhiy Storchakab619b092018-11-27 09:40:29 +0200247 check('x = [(yield i) for i in range(3)]', 1, 5)
Ammar Askar025eb982018-09-24 17:12:49 -0400248 check('def f():\n from _ import *', 1, 1)
249 check('def f(x, x):\n pass', 1, 1)
250 check('def f(x):\n nonlocal x', 2, 3)
251 check('def f(x):\n x = 1\n global x', 3, 3)
252 check('nonlocal x', 1, 1)
253 check('def f():\n global x\n nonlocal x', 2, 3)
254
Ammar Askar025eb982018-09-24 17:12:49 -0400255 # Errors thrown by future.c
256 check('from __future__ import doesnt_exist', 1, 1)
257 check('from __future__ import braces', 1, 1)
258 check('x=1\nfrom __future__ import division', 2, 1)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100259 check('foo(1=2)', 1, 5)
Lysandros Nikolaoua15c9b32020-05-13 22:36:27 +0300260 check('def f():\n x, y: int', 2, 3)
261 check('[*x for x in xs]', 1, 2)
262 check('foo(x for x in range(10), 100)', 1, 5)
Lysandros Nikolaou01ece632020-06-19 02:10:43 +0300263 check('for 1 in []: pass', 1, 5)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100264 check('(yield i) = 2', 1, 2)
265 check('def f(*):\n pass', 1, 7)
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200266
Benjamin Peterson17e0bbc2010-06-28 15:39:55 +0000267 @cpython_only
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000268 def testSettingException(self):
269 # test that setting an exception at the C level works even if the
270 # exception object can't be constructed.
Jeremy Hyltonede049b2001-09-26 20:01:13 +0000271
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000272 class BadException(Exception):
273 def __init__(self_):
Collin Winter828f04a2007-08-31 00:04:24 +0000274 raise RuntimeError("can't instantiate BadException")
Finn Bockaa3dc452001-12-08 10:15:48 +0000275
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000276 class InvalidException:
277 pass
Thomas Wouters303de6a2006-04-20 22:42:37 +0000278
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000279 def test_capi1():
280 import _testcapi
281 try:
282 _testcapi.raise_exception(BadException, 1)
Guido van Rossumb940e112007-01-10 16:19:56 +0000283 except TypeError as err:
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000284 exc, err, tb = sys.exc_info()
285 co = tb.tb_frame.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000286 self.assertEqual(co.co_name, "test_capi1")
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000287 self.assertTrue(co.co_filename.endswith('test_exceptions.py'))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000288 else:
289 self.fail("Expected exception")
Jeremy Hyltonede049b2001-09-26 20:01:13 +0000290
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000291 def test_capi2():
292 import _testcapi
293 try:
294 _testcapi.raise_exception(BadException, 0)
Guido van Rossumb940e112007-01-10 16:19:56 +0000295 except RuntimeError as err:
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000296 exc, err, tb = sys.exc_info()
297 co = tb.tb_frame.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000298 self.assertEqual(co.co_name, "__init__")
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000299 self.assertTrue(co.co_filename.endswith('test_exceptions.py'))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000300 co2 = tb.tb_frame.f_back.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000301 self.assertEqual(co2.co_name, "test_capi2")
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000302 else:
303 self.fail("Expected exception")
Thomas Wouters477c8d52006-05-27 19:21:47 +0000304
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000305 def test_capi3():
306 import _testcapi
307 self.assertRaises(SystemError, _testcapi.raise_exception,
308 InvalidException, 1)
309
310 if not sys.platform.startswith('java'):
311 test_capi1()
312 test_capi2()
313 test_capi3()
314
Thomas Wouters89f507f2006-12-13 04:49:30 +0000315 def test_WindowsError(self):
316 try:
317 WindowsError
318 except NameError:
319 pass
320 else:
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200321 self.assertIs(WindowsError, OSError)
322 self.assertEqual(str(OSError(1001)), "1001")
323 self.assertEqual(str(OSError(1001, "message")),
324 "[Errno 1001] message")
325 # POSIX errno (9 aka EBADF) is untranslated
326 w = OSError(9, 'foo', 'bar')
327 self.assertEqual(w.errno, 9)
328 self.assertEqual(w.winerror, None)
329 self.assertEqual(str(w), "[Errno 9] foo: 'bar'")
330 # ERROR_PATH_NOT_FOUND (win error 3) becomes ENOENT (2)
331 w = OSError(0, 'foo', 'bar', 3)
332 self.assertEqual(w.errno, 2)
333 self.assertEqual(w.winerror, 3)
334 self.assertEqual(w.strerror, 'foo')
335 self.assertEqual(w.filename, 'bar')
Martin Panter5487c132015-10-26 11:05:42 +0000336 self.assertEqual(w.filename2, None)
Richard Oudkerk30147712012-08-28 19:33:26 +0100337 self.assertEqual(str(w), "[WinError 3] foo: 'bar'")
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200338 # Unknown win error becomes EINVAL (22)
339 w = OSError(0, 'foo', None, 1001)
340 self.assertEqual(w.errno, 22)
341 self.assertEqual(w.winerror, 1001)
342 self.assertEqual(w.strerror, 'foo')
343 self.assertEqual(w.filename, None)
Martin Panter5487c132015-10-26 11:05:42 +0000344 self.assertEqual(w.filename2, None)
Richard Oudkerk30147712012-08-28 19:33:26 +0100345 self.assertEqual(str(w), "[WinError 1001] foo")
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200346 # Non-numeric "errno"
347 w = OSError('bar', 'foo')
348 self.assertEqual(w.errno, 'bar')
349 self.assertEqual(w.winerror, None)
350 self.assertEqual(w.strerror, 'foo')
351 self.assertEqual(w.filename, None)
Martin Panter5487c132015-10-26 11:05:42 +0000352 self.assertEqual(w.filename2, None)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000353
Victor Stinnerd223fa62015-04-02 14:17:38 +0200354 @unittest.skipUnless(sys.platform == 'win32',
355 'test specific to Windows')
Serhiy Storchakaf41f8f92015-04-02 09:47:27 +0300356 def test_windows_message(self):
357 """Should fill in unknown error code in Windows error message"""
Victor Stinnerd223fa62015-04-02 14:17:38 +0200358 ctypes = import_module('ctypes')
359 # this error code has no message, Python formats it as hexadecimal
360 code = 3765269347
361 with self.assertRaisesRegex(OSError, 'Windows Error 0x%x' % code):
362 ctypes.pythonapi.PyErr_SetFromWindowsErr(code)
Serhiy Storchakaf41f8f92015-04-02 09:47:27 +0300363
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000364 def testAttributes(self):
365 # test that exception attributes are happy
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000366
367 exceptionList = [
Guido van Rossumebe3e162007-05-17 18:20:34 +0000368 (BaseException, (), {'args' : ()}),
369 (BaseException, (1, ), {'args' : (1,)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000370 (BaseException, ('foo',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000371 {'args' : ('foo',)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000372 (BaseException, ('foo', 1),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000373 {'args' : ('foo', 1)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000374 (SystemExit, ('foo',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000375 {'args' : ('foo',), 'code' : 'foo'}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200376 (OSError, ('foo',),
Martin Panter5487c132015-10-26 11:05:42 +0000377 {'args' : ('foo',), 'filename' : None, 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000378 'errno' : None, 'strerror' : None}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200379 (OSError, ('foo', 'bar'),
Martin Panter5487c132015-10-26 11:05:42 +0000380 {'args' : ('foo', 'bar'),
381 'filename' : None, 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000382 'errno' : 'foo', 'strerror' : 'bar'}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200383 (OSError, ('foo', 'bar', 'baz'),
Martin Panter5487c132015-10-26 11:05:42 +0000384 {'args' : ('foo', 'bar'),
385 'filename' : 'baz', 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000386 'errno' : 'foo', 'strerror' : 'bar'}),
Larry Hastingsb0827312014-02-09 22:05:19 -0800387 (OSError, ('foo', 'bar', 'baz', None, 'quux'),
388 {'args' : ('foo', 'bar'), 'filename' : 'baz', 'filename2': 'quux'}),
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200389 (OSError, ('errnoStr', 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000390 {'args' : ('errnoStr', 'strErrorStr'),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000391 'strerror' : 'strErrorStr', 'errno' : 'errnoStr',
392 'filename' : 'filenameStr'}),
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200393 (OSError, (1, 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000394 {'args' : (1, 'strErrorStr'), 'errno' : 1,
Martin Panter5487c132015-10-26 11:05:42 +0000395 'strerror' : 'strErrorStr',
396 'filename' : 'filenameStr', 'filename2' : None}),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000397 (SyntaxError, (), {'msg' : None, 'text' : None,
Guido van Rossumd8faa362007-04-27 19:54:29 +0000398 'filename' : None, 'lineno' : None, 'offset' : None,
Pablo Galindoa77aac42021-04-23 14:27:05 +0100399 'end_offset': None, 'print_file_and_line' : None}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000400 (SyntaxError, ('msgStr',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000401 {'args' : ('msgStr',), 'text' : None,
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000402 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100403 'filename' : None, 'lineno' : None, 'offset' : None,
404 'end_offset': None}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000405 (SyntaxError, ('msgStr', ('filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100406 'textStr', 'endLinenoStr', 'endOffsetStr')),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000407 {'offset' : 'offsetStr', 'text' : 'textStr',
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000408 'args' : ('msgStr', ('filenameStr', 'linenoStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100409 'offsetStr', 'textStr',
410 'endLinenoStr', 'endOffsetStr')),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000411 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100412 'filename' : 'filenameStr', 'lineno' : 'linenoStr',
413 'end_lineno': 'endLinenoStr', 'end_offset': 'endOffsetStr'}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000414 (SyntaxError, ('msgStr', 'filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100415 'textStr', 'endLinenoStr', 'endOffsetStr',
416 'print_file_and_lineStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000417 {'text' : None,
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000418 'args' : ('msgStr', 'filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100419 'textStr', 'endLinenoStr', 'endOffsetStr',
420 'print_file_and_lineStr'),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000421 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100422 'filename' : None, 'lineno' : None, 'offset' : None,
423 'end_lineno': None, 'end_offset': None}),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000424 (UnicodeError, (), {'args' : (),}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000425 (UnicodeEncodeError, ('ascii', 'a', 0, 1,
426 'ordinal not in range'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000427 {'args' : ('ascii', 'a', 0, 1,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000428 'ordinal not in range'),
Guido van Rossumef87d6e2007-05-02 19:09:54 +0000429 'encoding' : 'ascii', 'object' : 'a',
Thomas Wouters89f507f2006-12-13 04:49:30 +0000430 'start' : 0, 'reason' : 'ordinal not in range'}),
Guido van Rossum254348e2007-11-21 19:29:53 +0000431 (UnicodeDecodeError, ('ascii', bytearray(b'\xff'), 0, 1,
Guido van Rossum98297ee2007-11-06 21:34:58 +0000432 'ordinal not in range'),
Guido van Rossum254348e2007-11-21 19:29:53 +0000433 {'args' : ('ascii', bytearray(b'\xff'), 0, 1,
Guido van Rossum98297ee2007-11-06 21:34:58 +0000434 'ordinal not in range'),
435 'encoding' : 'ascii', 'object' : b'\xff',
436 'start' : 0, 'reason' : 'ordinal not in range'}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000437 (UnicodeDecodeError, ('ascii', b'\xff', 0, 1,
438 'ordinal not in range'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000439 {'args' : ('ascii', b'\xff', 0, 1,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000440 'ordinal not in range'),
Guido van Rossumb8142c32007-05-08 17:49:10 +0000441 'encoding' : 'ascii', 'object' : b'\xff',
Thomas Wouters89f507f2006-12-13 04:49:30 +0000442 'start' : 0, 'reason' : 'ordinal not in range'}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000443 (UnicodeTranslateError, ("\u3042", 0, 1, "ouch"),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000444 {'args' : ('\u3042', 0, 1, 'ouch'),
Guido van Rossumef87d6e2007-05-02 19:09:54 +0000445 'object' : '\u3042', 'reason' : 'ouch',
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000446 'start' : 0, 'end' : 1}),
Richard Oudkerk5562d9d2012-07-28 17:45:28 +0100447 (NaiveException, ('foo',),
448 {'args': ('foo',), 'x': 'foo'}),
449 (SlottedNaiveException, ('foo',),
450 {'args': ('foo',), 'x': 'foo'}),
Thomas Wouters477c8d52006-05-27 19:21:47 +0000451 ]
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000452 try:
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200453 # More tests are in test_WindowsError
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000454 exceptionList.append(
455 (WindowsError, (1, 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000456 {'args' : (1, 'strErrorStr'),
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200457 'strerror' : 'strErrorStr', 'winerror' : None,
Martin Panter5487c132015-10-26 11:05:42 +0000458 'errno' : 1,
459 'filename' : 'filenameStr', 'filename2' : None})
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000460 )
Thomas Wouters73e5a5b2006-06-08 15:35:45 +0000461 except NameError:
462 pass
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000463
Guido van Rossumebe3e162007-05-17 18:20:34 +0000464 for exc, args, expected in exceptionList:
465 try:
466 e = exc(*args)
467 except:
Guido van Rossum98297ee2007-11-06 21:34:58 +0000468 print("\nexc=%r, args=%r" % (exc, args), file=sys.stderr)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100469 # raise
Guido van Rossumebe3e162007-05-17 18:20:34 +0000470 else:
471 # Verify module name
Richard Oudkerk5562d9d2012-07-28 17:45:28 +0100472 if not type(e).__name__.endswith('NaiveException'):
473 self.assertEqual(type(e).__module__, 'builtins')
Guido van Rossumebe3e162007-05-17 18:20:34 +0000474 # Verify no ref leaks in Exc_str()
475 s = str(e)
476 for checkArgName in expected:
477 value = getattr(e, checkArgName)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000478 self.assertEqual(repr(value),
479 repr(expected[checkArgName]),
480 '%r.%s == %r, expected %r' % (
481 e, checkArgName,
482 value, expected[checkArgName]))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000483
Guido van Rossumebe3e162007-05-17 18:20:34 +0000484 # test for pickling support
Guido van Rossum99603b02007-07-20 00:22:32 +0000485 for p in [pickle]:
Guido van Rossumebe3e162007-05-17 18:20:34 +0000486 for protocol in range(p.HIGHEST_PROTOCOL + 1):
487 s = p.dumps(e, protocol)
488 new = p.loads(s)
489 for checkArgName in expected:
490 got = repr(getattr(new, checkArgName))
491 want = repr(expected[checkArgName])
Ezio Melottib3aedd42010-11-20 19:04:17 +0000492 self.assertEqual(got, want,
493 'pickled "%r", attribute "%s' %
494 (e, checkArgName))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000495
Collin Winter828f04a2007-08-31 00:04:24 +0000496 def testWithTraceback(self):
497 try:
498 raise IndexError(4)
499 except:
500 tb = sys.exc_info()[2]
501
502 e = BaseException().with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000503 self.assertIsInstance(e, BaseException)
Collin Winter828f04a2007-08-31 00:04:24 +0000504 self.assertEqual(e.__traceback__, tb)
505
506 e = IndexError(5).with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000507 self.assertIsInstance(e, IndexError)
Collin Winter828f04a2007-08-31 00:04:24 +0000508 self.assertEqual(e.__traceback__, tb)
509
510 class MyException(Exception):
511 pass
512
513 e = MyException().with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000514 self.assertIsInstance(e, MyException)
Collin Winter828f04a2007-08-31 00:04:24 +0000515 self.assertEqual(e.__traceback__, tb)
516
517 def testInvalidTraceback(self):
518 try:
519 Exception().__traceback__ = 5
520 except TypeError as e:
Benjamin Peterson577473f2010-01-19 00:09:57 +0000521 self.assertIn("__traceback__ must be a traceback", str(e))
Collin Winter828f04a2007-08-31 00:04:24 +0000522 else:
523 self.fail("No exception raised")
524
Georg Brandlab6f2f62009-03-31 04:16:10 +0000525 def testInvalidAttrs(self):
526 self.assertRaises(TypeError, setattr, Exception(), '__cause__', 1)
527 self.assertRaises(TypeError, delattr, Exception(), '__cause__')
528 self.assertRaises(TypeError, setattr, Exception(), '__context__', 1)
529 self.assertRaises(TypeError, delattr, Exception(), '__context__')
530
Collin Winter828f04a2007-08-31 00:04:24 +0000531 def testNoneClearsTracebackAttr(self):
532 try:
533 raise IndexError(4)
534 except:
535 tb = sys.exc_info()[2]
536
537 e = Exception()
538 e.__traceback__ = tb
539 e.__traceback__ = None
540 self.assertEqual(e.__traceback__, None)
541
542 def testChainingAttrs(self):
543 e = Exception()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000544 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700545 self.assertIsNone(e.__cause__)
Collin Winter828f04a2007-08-31 00:04:24 +0000546
547 e = TypeError()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000548 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700549 self.assertIsNone(e.__cause__)
Collin Winter828f04a2007-08-31 00:04:24 +0000550
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200551 class MyException(OSError):
Collin Winter828f04a2007-08-31 00:04:24 +0000552 pass
553
554 e = MyException()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000555 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700556 self.assertIsNone(e.__cause__)
Nick Coghlanab7bf212012-02-26 17:49:52 +1000557
558 def testChainingDescriptors(self):
559 try:
560 raise Exception()
561 except Exception as exc:
562 e = exc
563
564 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700565 self.assertIsNone(e.__cause__)
566 self.assertFalse(e.__suppress_context__)
Nick Coghlanab7bf212012-02-26 17:49:52 +1000567
568 e.__context__ = NameError()
569 e.__cause__ = None
570 self.assertIsInstance(e.__context__, NameError)
571 self.assertIsNone(e.__cause__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700572 self.assertTrue(e.__suppress_context__)
573 e.__suppress_context__ = False
574 self.assertFalse(e.__suppress_context__)
Collin Winter828f04a2007-08-31 00:04:24 +0000575
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000576 def testKeywordArgs(self):
577 # test that builtin exception don't take keyword args,
578 # but user-defined subclasses can if they want
579 self.assertRaises(TypeError, BaseException, a=1)
580
581 class DerivedException(BaseException):
582 def __init__(self, fancy_arg):
583 BaseException.__init__(self)
584 self.fancy_arg = fancy_arg
585
586 x = DerivedException(fancy_arg=42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000587 self.assertEqual(x.fancy_arg, 42)
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000588
Brett Cannon31f59292011-02-21 19:29:56 +0000589 @no_tracing
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000590 def testInfiniteRecursion(self):
591 def f():
592 return f()
Yury Selivanovf488fb42015-07-03 01:04:23 -0400593 self.assertRaises(RecursionError, f)
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000594
595 def g():
596 try:
597 return g()
598 except ValueError:
599 return -1
Yury Selivanovf488fb42015-07-03 01:04:23 -0400600 self.assertRaises(RecursionError, g)
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000601
Ezio Melotti2f5a78c2009-12-24 22:54:06 +0000602 def test_str(self):
603 # Make sure both instances and classes have a str representation.
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000604 self.assertTrue(str(Exception))
605 self.assertTrue(str(Exception('a')))
Ezio Melotti2f5a78c2009-12-24 22:54:06 +0000606 self.assertTrue(str(Exception('a', 'b')))
Thomas Wouters89f507f2006-12-13 04:49:30 +0000607
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000608 def testExceptionCleanupNames(self):
609 # Make sure the local variable bound to the exception instance by
610 # an "except" statement is only visible inside the except block.
Guido van Rossumb940e112007-01-10 16:19:56 +0000611 try:
612 raise Exception()
613 except Exception as e:
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000614 self.assertTrue(e)
Guido van Rossumb940e112007-01-10 16:19:56 +0000615 del e
Ezio Melottib58e0bd2010-01-23 15:40:09 +0000616 self.assertNotIn('e', locals())
Guido van Rossumb940e112007-01-10 16:19:56 +0000617
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000618 def testExceptionCleanupState(self):
619 # Make sure exception state is cleaned up as soon as the except
620 # block is left. See #2507
621
622 class MyException(Exception):
623 def __init__(self, obj):
624 self.obj = obj
625 class MyObj:
626 pass
627
628 def inner_raising_func():
629 # Create some references in exception value and traceback
630 local_ref = obj
631 raise MyException(obj)
632
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000633 # Qualified "except" with "as"
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000634 obj = MyObj()
635 wr = weakref.ref(obj)
636 try:
637 inner_raising_func()
638 except MyException as e:
639 pass
640 obj = None
641 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300642 self.assertIsNone(obj)
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000643
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000644 # Qualified "except" without "as"
645 obj = MyObj()
646 wr = weakref.ref(obj)
647 try:
648 inner_raising_func()
649 except MyException:
650 pass
651 obj = None
652 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300653 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000654
655 # Bare "except"
656 obj = MyObj()
657 wr = weakref.ref(obj)
658 try:
659 inner_raising_func()
660 except:
661 pass
662 obj = None
663 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300664 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000665
666 # "except" with premature block leave
667 obj = MyObj()
668 wr = weakref.ref(obj)
669 for i in [0]:
670 try:
671 inner_raising_func()
672 except:
673 break
674 obj = None
675 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300676 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000677
678 # "except" block raising another exception
679 obj = MyObj()
680 wr = weakref.ref(obj)
681 try:
682 try:
683 inner_raising_func()
684 except:
685 raise KeyError
Guido van Rossumb4fb6e42008-06-14 20:20:24 +0000686 except KeyError as e:
687 # We want to test that the except block above got rid of
688 # the exception raised in inner_raising_func(), but it
689 # also ends up in the __context__ of the KeyError, so we
690 # must clear the latter manually for our test to succeed.
691 e.__context__ = None
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000692 obj = None
693 obj = wr()
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800694 # guarantee no ref cycles on CPython (don't gc_collect)
695 if check_impl_detail(cpython=False):
696 gc_collect()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300697 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000698
699 # Some complicated construct
700 obj = MyObj()
701 wr = weakref.ref(obj)
702 try:
703 inner_raising_func()
704 except MyException:
705 try:
706 try:
707 raise
708 finally:
709 raise
710 except MyException:
711 pass
712 obj = None
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800713 if check_impl_detail(cpython=False):
714 gc_collect()
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000715 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300716 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000717
718 # Inside an exception-silencing "with" block
719 class Context:
720 def __enter__(self):
721 return self
722 def __exit__ (self, exc_type, exc_value, exc_tb):
723 return True
724 obj = MyObj()
725 wr = weakref.ref(obj)
726 with Context():
727 inner_raising_func()
728 obj = None
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800729 if check_impl_detail(cpython=False):
730 gc_collect()
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000731 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300732 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000733
Amaury Forgeot d'Arcba117ef2010-09-10 21:39:53 +0000734 def test_exception_target_in_nested_scope(self):
735 # issue 4617: This used to raise a SyntaxError
736 # "can not delete variable 'e' referenced in nested scope"
737 def print_error():
738 e
739 try:
740 something
741 except Exception as e:
742 print_error()
743 # implicit "del e" here
744
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000745 def test_generator_leaking(self):
746 # Test that generator exception state doesn't leak into the calling
747 # frame
748 def yield_raise():
749 try:
750 raise KeyError("caught")
751 except KeyError:
752 yield sys.exc_info()[0]
753 yield sys.exc_info()[0]
754 yield sys.exc_info()[0]
755 g = yield_raise()
Ezio Melottib3aedd42010-11-20 19:04:17 +0000756 self.assertEqual(next(g), KeyError)
757 self.assertEqual(sys.exc_info()[0], None)
758 self.assertEqual(next(g), KeyError)
759 self.assertEqual(sys.exc_info()[0], None)
760 self.assertEqual(next(g), None)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000761
762 # Same test, but inside an exception handler
763 try:
764 raise TypeError("foo")
765 except TypeError:
766 g = yield_raise()
Ezio Melottib3aedd42010-11-20 19:04:17 +0000767 self.assertEqual(next(g), KeyError)
768 self.assertEqual(sys.exc_info()[0], TypeError)
769 self.assertEqual(next(g), KeyError)
770 self.assertEqual(sys.exc_info()[0], TypeError)
771 self.assertEqual(next(g), TypeError)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000772 del g
Ezio Melottib3aedd42010-11-20 19:04:17 +0000773 self.assertEqual(sys.exc_info()[0], TypeError)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000774
Benjamin Peterson83195c32011-07-03 13:44:00 -0500775 def test_generator_leaking2(self):
776 # See issue 12475.
777 def g():
778 yield
779 try:
780 raise RuntimeError
781 except RuntimeError:
782 it = g()
783 next(it)
784 try:
785 next(it)
786 except StopIteration:
787 pass
788 self.assertEqual(sys.exc_info(), (None, None, None))
789
Antoine Pitrouc4c19b32015-03-18 22:22:46 +0100790 def test_generator_leaking3(self):
791 # See issue #23353. When gen.throw() is called, the caller's
792 # exception state should be save and restored.
793 def g():
794 try:
795 yield
796 except ZeroDivisionError:
797 yield sys.exc_info()[1]
798 it = g()
799 next(it)
800 try:
801 1/0
802 except ZeroDivisionError as e:
803 self.assertIs(sys.exc_info()[1], e)
804 gen_exc = it.throw(e)
805 self.assertIs(sys.exc_info()[1], e)
806 self.assertIs(gen_exc, e)
807 self.assertEqual(sys.exc_info(), (None, None, None))
808
809 def test_generator_leaking4(self):
810 # See issue #23353. When an exception is raised by a generator,
811 # the caller's exception state should still be restored.
812 def g():
813 try:
814 1/0
815 except ZeroDivisionError:
816 yield sys.exc_info()[0]
817 raise
818 it = g()
819 try:
820 raise TypeError
821 except TypeError:
822 # The caller's exception state (TypeError) is temporarily
823 # saved in the generator.
824 tp = next(it)
825 self.assertIs(tp, ZeroDivisionError)
826 try:
827 next(it)
828 # We can't check it immediately, but while next() returns
829 # with an exception, it shouldn't have restored the old
830 # exception state (TypeError).
831 except ZeroDivisionError as e:
832 self.assertIs(sys.exc_info()[1], e)
833 # We used to find TypeError here.
834 self.assertEqual(sys.exc_info(), (None, None, None))
835
Benjamin Petersonac913412011-07-03 16:25:11 -0500836 def test_generator_doesnt_retain_old_exc(self):
837 def g():
838 self.assertIsInstance(sys.exc_info()[1], RuntimeError)
839 yield
840 self.assertEqual(sys.exc_info(), (None, None, None))
841 it = g()
842 try:
843 raise RuntimeError
844 except RuntimeError:
845 next(it)
846 self.assertRaises(StopIteration, next, it)
847
Benjamin Petersonae5f2f42010-03-07 17:10:51 +0000848 def test_generator_finalizing_and_exc_info(self):
849 # See #7173
850 def simple_gen():
851 yield 1
852 def run_gen():
853 gen = simple_gen()
854 try:
855 raise RuntimeError
856 except RuntimeError:
857 return next(gen)
858 run_gen()
859 gc_collect()
860 self.assertEqual(sys.exc_info(), (None, None, None))
861
Antoine Pitroua370fcf2011-08-20 14:15:03 +0200862 def _check_generator_cleanup_exc_state(self, testfunc):
863 # Issue #12791: exception state is cleaned up as soon as a generator
864 # is closed (reference cycles are broken).
865 class MyException(Exception):
866 def __init__(self, obj):
867 self.obj = obj
868 class MyObj:
869 pass
870
871 def raising_gen():
872 try:
873 raise MyException(obj)
874 except MyException:
875 yield
876
877 obj = MyObj()
878 wr = weakref.ref(obj)
879 g = raising_gen()
880 next(g)
881 testfunc(g)
882 g = obj = None
883 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300884 self.assertIsNone(obj)
Antoine Pitroua370fcf2011-08-20 14:15:03 +0200885
886 def test_generator_throw_cleanup_exc_state(self):
887 def do_throw(g):
888 try:
889 g.throw(RuntimeError())
890 except RuntimeError:
891 pass
892 self._check_generator_cleanup_exc_state(do_throw)
893
894 def test_generator_close_cleanup_exc_state(self):
895 def do_close(g):
896 g.close()
897 self._check_generator_cleanup_exc_state(do_close)
898
899 def test_generator_del_cleanup_exc_state(self):
900 def do_del(g):
901 g = None
902 self._check_generator_cleanup_exc_state(do_del)
903
904 def test_generator_next_cleanup_exc_state(self):
905 def do_next(g):
906 try:
907 next(g)
908 except StopIteration:
909 pass
910 else:
911 self.fail("should have raised StopIteration")
912 self._check_generator_cleanup_exc_state(do_next)
913
914 def test_generator_send_cleanup_exc_state(self):
915 def do_send(g):
916 try:
917 g.send(None)
918 except StopIteration:
919 pass
920 else:
921 self.fail("should have raised StopIteration")
922 self._check_generator_cleanup_exc_state(do_send)
923
Benjamin Peterson27d63672008-06-15 20:09:12 +0000924 def test_3114(self):
925 # Bug #3114: in its destructor, MyObject retrieves a pointer to
926 # obsolete and/or deallocated objects.
Benjamin Peterson979f3112008-06-15 00:05:44 +0000927 class MyObject:
928 def __del__(self):
929 nonlocal e
930 e = sys.exc_info()
931 e = ()
932 try:
933 raise Exception(MyObject())
934 except:
935 pass
Ezio Melottib3aedd42010-11-20 19:04:17 +0000936 self.assertEqual(e, (None, None, None))
Benjamin Peterson979f3112008-06-15 00:05:44 +0000937
Benjamin Peterson24dfb052014-04-02 12:05:35 -0400938 def test_unicode_change_attributes(self):
Eric Smith0facd772010-02-24 15:42:29 +0000939 # See issue 7309. This was a crasher.
940
941 u = UnicodeEncodeError('baz', 'xxxxx', 1, 5, 'foo')
942 self.assertEqual(str(u), "'baz' codec can't encode characters in position 1-4: foo")
943 u.end = 2
944 self.assertEqual(str(u), "'baz' codec can't encode character '\\x78' in position 1: foo")
945 u.end = 5
946 u.reason = 0x345345345345345345
947 self.assertEqual(str(u), "'baz' codec can't encode characters in position 1-4: 965230951443685724997")
948 u.encoding = 4000
949 self.assertEqual(str(u), "'4000' codec can't encode characters in position 1-4: 965230951443685724997")
950 u.start = 1000
951 self.assertEqual(str(u), "'4000' codec can't encode characters in position 1000-4: 965230951443685724997")
952
953 u = UnicodeDecodeError('baz', b'xxxxx', 1, 5, 'foo')
954 self.assertEqual(str(u), "'baz' codec can't decode bytes in position 1-4: foo")
955 u.end = 2
956 self.assertEqual(str(u), "'baz' codec can't decode byte 0x78 in position 1: foo")
957 u.end = 5
958 u.reason = 0x345345345345345345
959 self.assertEqual(str(u), "'baz' codec can't decode bytes in position 1-4: 965230951443685724997")
960 u.encoding = 4000
961 self.assertEqual(str(u), "'4000' codec can't decode bytes in position 1-4: 965230951443685724997")
962 u.start = 1000
963 self.assertEqual(str(u), "'4000' codec can't decode bytes in position 1000-4: 965230951443685724997")
964
965 u = UnicodeTranslateError('xxxx', 1, 5, 'foo')
966 self.assertEqual(str(u), "can't translate characters in position 1-4: foo")
967 u.end = 2
968 self.assertEqual(str(u), "can't translate character '\\x78' in position 1: foo")
969 u.end = 5
970 u.reason = 0x345345345345345345
971 self.assertEqual(str(u), "can't translate characters in position 1-4: 965230951443685724997")
972 u.start = 1000
973 self.assertEqual(str(u), "can't translate characters in position 1000-4: 965230951443685724997")
Benjamin Peterson6e7740c2008-08-20 23:23:34 +0000974
Benjamin Peterson9b09ba12014-04-02 12:15:06 -0400975 def test_unicode_errors_no_object(self):
976 # See issue #21134.
Benjamin Petersone3311212014-04-02 15:51:38 -0400977 klasses = UnicodeEncodeError, UnicodeDecodeError, UnicodeTranslateError
Benjamin Peterson9b09ba12014-04-02 12:15:06 -0400978 for klass in klasses:
979 self.assertEqual(str(klass.__new__(klass)), "")
980
Brett Cannon31f59292011-02-21 19:29:56 +0000981 @no_tracing
Benjamin Peterson69c88f72008-07-31 01:47:08 +0000982 def test_badisinstance(self):
983 # Bug #2542: if issubclass(e, MyException) raises an exception,
984 # it should be ignored
985 class Meta(type):
986 def __subclasscheck__(cls, subclass):
987 raise ValueError()
988 class MyException(Exception, metaclass=Meta):
989 pass
990
Martin Panter3263f682016-02-28 03:16:11 +0000991 with captured_stderr() as stderr:
Benjamin Peterson69c88f72008-07-31 01:47:08 +0000992 try:
993 raise KeyError()
994 except MyException as e:
995 self.fail("exception should not be a MyException")
996 except KeyError:
997 pass
998 except:
Antoine Pitrouec569b72008-08-26 22:40:48 +0000999 self.fail("Should have raised KeyError")
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001000 else:
Antoine Pitrouec569b72008-08-26 22:40:48 +00001001 self.fail("Should have raised KeyError")
1002
1003 def g():
1004 try:
1005 return g()
Yury Selivanovf488fb42015-07-03 01:04:23 -04001006 except RecursionError:
Antoine Pitrouec569b72008-08-26 22:40:48 +00001007 return sys.exc_info()
1008 e, v, tb = g()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +03001009 self.assertIsInstance(v, RecursionError, type(v))
Benjamin Peterson577473f2010-01-19 00:09:57 +00001010 self.assertIn("maximum recursion depth exceeded", str(v))
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001011
xdegaye56d1f5c2017-10-26 15:09:06 +02001012 @cpython_only
1013 def test_recursion_normalizing_exception(self):
1014 # Issue #22898.
1015 # Test that a RecursionError is raised when tstate->recursion_depth is
1016 # equal to recursion_limit in PyErr_NormalizeException() and check
1017 # that a ResourceWarning is printed.
1018 # Prior to #22898, the recursivity of PyErr_NormalizeException() was
luzpaza5293b42017-11-05 07:37:50 -06001019 # controlled by tstate->recursion_depth and a PyExc_RecursionErrorInst
xdegaye56d1f5c2017-10-26 15:09:06 +02001020 # singleton was being used in that case, that held traceback data and
1021 # locals indefinitely and would cause a segfault in _PyExc_Fini() upon
1022 # finalization of these locals.
1023 code = """if 1:
1024 import sys
Victor Stinner3f2f4fe2020-03-13 13:07:31 +01001025 from _testinternalcapi import get_recursion_depth
xdegaye56d1f5c2017-10-26 15:09:06 +02001026
1027 class MyException(Exception): pass
1028
1029 def setrecursionlimit(depth):
1030 while 1:
1031 try:
1032 sys.setrecursionlimit(depth)
1033 return depth
1034 except RecursionError:
1035 # sys.setrecursionlimit() raises a RecursionError if
1036 # the new recursion limit is too low (issue #25274).
1037 depth += 1
1038
1039 def recurse(cnt):
1040 cnt -= 1
1041 if cnt:
1042 recurse(cnt)
1043 else:
1044 generator.throw(MyException)
1045
1046 def gen():
1047 f = open(%a, mode='rb', buffering=0)
1048 yield
1049
1050 generator = gen()
1051 next(generator)
1052 recursionlimit = sys.getrecursionlimit()
1053 depth = get_recursion_depth()
1054 try:
1055 # Upon the last recursive invocation of recurse(),
1056 # tstate->recursion_depth is equal to (recursion_limit - 1)
1057 # and is equal to recursion_limit when _gen_throw() calls
1058 # PyErr_NormalizeException().
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001059 recurse(setrecursionlimit(depth + 2) - depth)
xdegaye56d1f5c2017-10-26 15:09:06 +02001060 finally:
1061 sys.setrecursionlimit(recursionlimit)
1062 print('Done.')
1063 """ % __file__
1064 rc, out, err = script_helper.assert_python_failure("-Wd", "-c", code)
1065 # Check that the program does not fail with SIGABRT.
1066 self.assertEqual(rc, 1)
1067 self.assertIn(b'RecursionError', err)
1068 self.assertIn(b'ResourceWarning', err)
1069 self.assertIn(b'Done.', out)
1070
1071 @cpython_only
1072 def test_recursion_normalizing_infinite_exception(self):
1073 # Issue #30697. Test that a RecursionError is raised when
1074 # PyErr_NormalizeException() maximum recursion depth has been
1075 # exceeded.
1076 code = """if 1:
1077 import _testcapi
1078 try:
1079 raise _testcapi.RecursingInfinitelyError
1080 finally:
1081 print('Done.')
1082 """
1083 rc, out, err = script_helper.assert_python_failure("-c", code)
1084 self.assertEqual(rc, 1)
1085 self.assertIn(b'RecursionError: maximum recursion depth exceeded '
1086 b'while normalizing an exception', err)
1087 self.assertIn(b'Done.', out)
1088
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001089
1090 def test_recursion_in_except_handler(self):
1091
1092 def set_relative_recursion_limit(n):
1093 depth = 1
1094 while True:
1095 try:
1096 sys.setrecursionlimit(depth)
1097 except RecursionError:
1098 depth += 1
1099 else:
1100 break
1101 sys.setrecursionlimit(depth+n)
1102
1103 def recurse_in_except():
1104 try:
1105 1/0
1106 except:
1107 recurse_in_except()
1108
1109 def recurse_after_except():
1110 try:
1111 1/0
1112 except:
1113 pass
1114 recurse_after_except()
1115
1116 def recurse_in_body_and_except():
1117 try:
1118 recurse_in_body_and_except()
1119 except:
1120 recurse_in_body_and_except()
1121
1122 recursionlimit = sys.getrecursionlimit()
1123 try:
1124 set_relative_recursion_limit(10)
1125 for func in (recurse_in_except, recurse_after_except, recurse_in_body_and_except):
1126 with self.subTest(func=func):
1127 try:
1128 func()
1129 except RecursionError:
1130 pass
1131 else:
1132 self.fail("Should have raised a RecursionError")
1133 finally:
1134 sys.setrecursionlimit(recursionlimit)
1135
1136
xdegaye56d1f5c2017-10-26 15:09:06 +02001137 @cpython_only
1138 def test_recursion_normalizing_with_no_memory(self):
1139 # Issue #30697. Test that in the abort that occurs when there is no
1140 # memory left and the size of the Python frames stack is greater than
1141 # the size of the list of preallocated MemoryError instances, the
1142 # Fatal Python error message mentions MemoryError.
1143 code = """if 1:
1144 import _testcapi
1145 class C(): pass
1146 def recurse(cnt):
1147 cnt -= 1
1148 if cnt:
1149 recurse(cnt)
1150 else:
1151 _testcapi.set_nomemory(0)
1152 C()
1153 recurse(16)
1154 """
1155 with SuppressCrashReport():
1156 rc, out, err = script_helper.assert_python_failure("-c", code)
Victor Stinner9e5d30c2020-03-07 00:54:20 +01001157 self.assertIn(b'Fatal Python error: _PyErr_NormalizeException: '
1158 b'Cannot recover from MemoryErrors while '
1159 b'normalizing exceptions.', err)
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001160
Serhiy Storchaka5cfc79d2014-02-07 10:06:39 +02001161 @cpython_only
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001162 def test_MemoryError(self):
1163 # PyErr_NoMemory always raises the same exception instance.
1164 # Check that the traceback is not doubled.
1165 import traceback
Benjamin Peterson0067bd62008-08-16 16:11:03 +00001166 from _testcapi import raise_memoryerror
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001167 def raiseMemError():
1168 try:
Benjamin Peterson0067bd62008-08-16 16:11:03 +00001169 raise_memoryerror()
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001170 except MemoryError as e:
1171 tb = e.__traceback__
1172 else:
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001173 self.fail("Should have raised a MemoryError")
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001174 return traceback.format_tb(tb)
1175
1176 tb1 = raiseMemError()
1177 tb2 = raiseMemError()
1178 self.assertEqual(tb1, tb2)
1179
Benjamin Peterson17e0bbc2010-06-28 15:39:55 +00001180 @cpython_only
Georg Brandl1e28a272009-12-28 08:41:01 +00001181 def test_exception_with_doc(self):
1182 import _testcapi
1183 doc2 = "This is a test docstring."
1184 doc4 = "This is another test docstring."
1185
1186 self.assertRaises(SystemError, _testcapi.make_exception_with_doc,
1187 "error1")
1188
1189 # test basic usage of PyErr_NewException
1190 error1 = _testcapi.make_exception_with_doc("_testcapi.error1")
1191 self.assertIs(type(error1), type)
1192 self.assertTrue(issubclass(error1, Exception))
1193 self.assertIsNone(error1.__doc__)
1194
1195 # test with given docstring
1196 error2 = _testcapi.make_exception_with_doc("_testcapi.error2", doc2)
1197 self.assertEqual(error2.__doc__, doc2)
1198
1199 # test with explicit base (without docstring)
1200 error3 = _testcapi.make_exception_with_doc("_testcapi.error3",
1201 base=error2)
1202 self.assertTrue(issubclass(error3, error2))
1203
1204 # test with explicit base tuple
1205 class C(object):
1206 pass
1207 error4 = _testcapi.make_exception_with_doc("_testcapi.error4", doc4,
1208 (error3, C))
1209 self.assertTrue(issubclass(error4, error3))
1210 self.assertTrue(issubclass(error4, C))
1211 self.assertEqual(error4.__doc__, doc4)
1212
1213 # test with explicit dictionary
1214 error5 = _testcapi.make_exception_with_doc("_testcapi.error5", "",
1215 error4, {'a': 1})
1216 self.assertTrue(issubclass(error5, error4))
1217 self.assertEqual(error5.a, 1)
1218 self.assertEqual(error5.__doc__, "")
1219
Serhiy Storchaka5cfc79d2014-02-07 10:06:39 +02001220 @cpython_only
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001221 def test_memory_error_cleanup(self):
1222 # Issue #5437: preallocated MemoryError instances should not keep
1223 # traceback objects alive.
1224 from _testcapi import raise_memoryerror
1225 class C:
1226 pass
1227 wr = None
1228 def inner():
1229 nonlocal wr
1230 c = C()
1231 wr = weakref.ref(c)
1232 raise_memoryerror()
1233 # We cannot use assertRaises since it manually deletes the traceback
1234 try:
1235 inner()
1236 except MemoryError as e:
1237 self.assertNotEqual(wr(), None)
1238 else:
1239 self.fail("MemoryError not raised")
1240 self.assertEqual(wr(), None)
1241
Brett Cannon31f59292011-02-21 19:29:56 +00001242 @no_tracing
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001243 def test_recursion_error_cleanup(self):
1244 # Same test as above, but with "recursion exceeded" errors
1245 class C:
1246 pass
1247 wr = None
1248 def inner():
1249 nonlocal wr
1250 c = C()
1251 wr = weakref.ref(c)
1252 inner()
1253 # We cannot use assertRaises since it manually deletes the traceback
1254 try:
1255 inner()
Yury Selivanovf488fb42015-07-03 01:04:23 -04001256 except RecursionError as e:
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001257 self.assertNotEqual(wr(), None)
1258 else:
Yury Selivanovf488fb42015-07-03 01:04:23 -04001259 self.fail("RecursionError not raised")
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001260 self.assertEqual(wr(), None)
Georg Brandl1e28a272009-12-28 08:41:01 +00001261
Antoine Pitroua7622852011-09-01 21:37:43 +02001262 def test_errno_ENOTDIR(self):
1263 # Issue #12802: "not a directory" errors are ENOTDIR even on Windows
1264 with self.assertRaises(OSError) as cm:
1265 os.listdir(__file__)
1266 self.assertEqual(cm.exception.errno, errno.ENOTDIR, cm.exception)
1267
Martin Panter3263f682016-02-28 03:16:11 +00001268 def test_unraisable(self):
1269 # Issue #22836: PyErr_WriteUnraisable() should give sensible reports
1270 class BrokenDel:
1271 def __del__(self):
1272 exc = ValueError("del is broken")
1273 # The following line is included in the traceback report:
1274 raise exc
1275
Victor Stinnere4d300e2019-05-22 23:44:02 +02001276 obj = BrokenDel()
1277 with support.catch_unraisable_exception() as cm:
1278 del obj
Martin Panter3263f682016-02-28 03:16:11 +00001279
Victor Stinnere4d300e2019-05-22 23:44:02 +02001280 self.assertEqual(cm.unraisable.object, BrokenDel.__del__)
1281 self.assertIsNotNone(cm.unraisable.exc_traceback)
Martin Panter3263f682016-02-28 03:16:11 +00001282
1283 def test_unhandled(self):
1284 # Check for sensible reporting of unhandled exceptions
1285 for exc_type in (ValueError, BrokenStrException):
1286 with self.subTest(exc_type):
1287 try:
1288 exc = exc_type("test message")
1289 # The following line is included in the traceback report:
1290 raise exc
1291 except exc_type:
1292 with captured_stderr() as stderr:
1293 sys.__excepthook__(*sys.exc_info())
1294 report = stderr.getvalue()
1295 self.assertIn("test_exceptions.py", report)
1296 self.assertIn("raise exc", report)
1297 self.assertIn(exc_type.__name__, report)
1298 if exc_type is BrokenStrException:
1299 self.assertIn("<exception str() failed>", report)
1300 else:
1301 self.assertIn("test message", report)
1302 self.assertTrue(report.endswith("\n"))
1303
xdegaye66caacf2017-10-23 18:08:41 +02001304 @cpython_only
1305 def test_memory_error_in_PyErr_PrintEx(self):
1306 code = """if 1:
1307 import _testcapi
1308 class C(): pass
1309 _testcapi.set_nomemory(0, %d)
1310 C()
1311 """
1312
1313 # Issue #30817: Abort in PyErr_PrintEx() when no memory.
1314 # Span a large range of tests as the CPython code always evolves with
1315 # changes that add or remove memory allocations.
1316 for i in range(1, 20):
1317 rc, out, err = script_helper.assert_python_failure("-c", code % i)
1318 self.assertIn(rc, (1, 120))
1319 self.assertIn(b'MemoryError', err)
1320
Mark Shannonae3087c2017-10-22 22:41:51 +01001321 def test_yield_in_nested_try_excepts(self):
1322 #Issue #25612
1323 class MainError(Exception):
1324 pass
1325
1326 class SubError(Exception):
1327 pass
1328
1329 def main():
1330 try:
1331 raise MainError()
1332 except MainError:
1333 try:
1334 yield
1335 except SubError:
1336 pass
1337 raise
1338
1339 coro = main()
1340 coro.send(None)
1341 with self.assertRaises(MainError):
1342 coro.throw(SubError())
1343
1344 def test_generator_doesnt_retain_old_exc2(self):
1345 #Issue 28884#msg282532
1346 def g():
1347 try:
1348 raise ValueError
1349 except ValueError:
1350 yield 1
1351 self.assertEqual(sys.exc_info(), (None, None, None))
1352 yield 2
1353
1354 gen = g()
1355
1356 try:
1357 raise IndexError
1358 except IndexError:
1359 self.assertEqual(next(gen), 1)
1360 self.assertEqual(next(gen), 2)
1361
1362 def test_raise_in_generator(self):
1363 #Issue 25612#msg304117
1364 def g():
1365 yield 1
1366 raise
1367 yield 2
1368
1369 with self.assertRaises(ZeroDivisionError):
1370 i = g()
1371 try:
1372 1/0
1373 except:
1374 next(i)
1375 next(i)
1376
Zackery Spytzce6a0702019-08-25 03:44:09 -06001377 @unittest.skipUnless(__debug__, "Won't work if __debug__ is False")
1378 def test_assert_shadowing(self):
1379 # Shadowing AssertionError would cause the assert statement to
1380 # misbehave.
1381 global AssertionError
1382 AssertionError = TypeError
1383 try:
1384 assert False, 'hello'
1385 except BaseException as e:
1386 del AssertionError
1387 self.assertIsInstance(e, AssertionError)
1388 self.assertEqual(str(e), 'hello')
1389 else:
1390 del AssertionError
1391 self.fail('Expected exception')
1392
Pablo Galindo9b648a92020-09-01 19:39:46 +01001393 def test_memory_error_subclasses(self):
1394 # bpo-41654: MemoryError instances use a freelist of objects that are
1395 # linked using the 'dict' attribute when they are inactive/dead.
1396 # Subclasses of MemoryError should not participate in the freelist
1397 # schema. This test creates a MemoryError object and keeps it alive
1398 # (therefore advancing the freelist) and then it creates and destroys a
1399 # subclass object. Finally, it checks that creating a new MemoryError
1400 # succeeds, proving that the freelist is not corrupted.
1401
1402 class TestException(MemoryError):
1403 pass
1404
1405 try:
1406 raise MemoryError
1407 except MemoryError as exc:
1408 inst = exc
1409
1410 try:
1411 raise TestException
1412 except Exception:
1413 pass
1414
1415 for _ in range(10):
1416 try:
1417 raise MemoryError
1418 except MemoryError as exc:
1419 pass
1420
1421 gc_collect()
1422
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001423global_for_suggestions = None
1424
1425class NameErrorTests(unittest.TestCase):
1426 def test_name_error_has_name(self):
1427 try:
1428 bluch
1429 except NameError as exc:
1430 self.assertEqual("bluch", exc.name)
1431
1432 def test_name_error_suggestions(self):
1433 def Substitution():
1434 noise = more_noise = a = bc = None
1435 blech = None
1436 print(bluch)
1437
1438 def Elimination():
1439 noise = more_noise = a = bc = None
1440 blch = None
1441 print(bluch)
1442
1443 def Addition():
1444 noise = more_noise = a = bc = None
1445 bluchin = None
1446 print(bluch)
1447
1448 def SubstitutionOverElimination():
1449 blach = None
1450 bluc = None
1451 print(bluch)
1452
1453 def SubstitutionOverAddition():
1454 blach = None
1455 bluchi = None
1456 print(bluch)
1457
1458 def EliminationOverAddition():
1459 blucha = None
1460 bluc = None
1461 print(bluch)
1462
Pablo Galindo7a041162021-04-19 23:35:53 +01001463 for func, suggestion in [(Substitution, "'blech'?"),
1464 (Elimination, "'blch'?"),
1465 (Addition, "'bluchin'?"),
1466 (EliminationOverAddition, "'blucha'?"),
1467 (SubstitutionOverElimination, "'blach'?"),
1468 (SubstitutionOverAddition, "'blach'?")]:
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001469 err = None
1470 try:
1471 func()
1472 except NameError as exc:
1473 with support.captured_stderr() as err:
1474 sys.__excepthook__(*sys.exc_info())
1475 self.assertIn(suggestion, err.getvalue())
1476
1477 def test_name_error_suggestions_from_globals(self):
1478 def func():
1479 print(global_for_suggestio)
1480 try:
1481 func()
1482 except NameError as exc:
1483 with support.captured_stderr() as err:
1484 sys.__excepthook__(*sys.exc_info())
Pablo Galindo7a041162021-04-19 23:35:53 +01001485 self.assertIn("'global_for_suggestions'?", err.getvalue())
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001486
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001487 def test_name_error_suggestions_from_builtins(self):
1488 def func():
1489 print(AttributeErrop)
1490 try:
1491 func()
1492 except NameError as exc:
1493 with support.captured_stderr() as err:
1494 sys.__excepthook__(*sys.exc_info())
Pablo Galindo7a041162021-04-19 23:35:53 +01001495 self.assertIn("'AttributeError'?", err.getvalue())
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001496
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001497 def test_name_error_suggestions_do_not_trigger_for_long_names(self):
1498 def f():
1499 somethingverywronghehehehehehe = None
1500 print(somethingverywronghe)
1501
1502 try:
1503 f()
1504 except NameError as exc:
1505 with support.captured_stderr() as err:
1506 sys.__excepthook__(*sys.exc_info())
1507
1508 self.assertNotIn("somethingverywronghehe", err.getvalue())
1509
Dennis Sweeney284c52d2021-04-26 20:22:27 -04001510 def test_name_error_bad_suggestions_do_not_trigger_for_small_names(self):
1511 vvv = mom = w = id = pytho = None
1512
1513 with self.subTest(name="b"):
1514 try:
1515 b
1516 except NameError as exc:
1517 with support.captured_stderr() as err:
1518 sys.__excepthook__(*sys.exc_info())
1519 self.assertNotIn("you mean", err.getvalue())
1520 self.assertNotIn("vvv", err.getvalue())
1521 self.assertNotIn("mom", err.getvalue())
1522 self.assertNotIn("'id'", err.getvalue())
1523 self.assertNotIn("'w'", err.getvalue())
1524 self.assertNotIn("'pytho'", err.getvalue())
1525
1526 with self.subTest(name="v"):
1527 try:
1528 v
1529 except NameError as exc:
1530 with support.captured_stderr() as err:
1531 sys.__excepthook__(*sys.exc_info())
1532 self.assertNotIn("you mean", err.getvalue())
1533 self.assertNotIn("vvv", err.getvalue())
1534 self.assertNotIn("mom", err.getvalue())
1535 self.assertNotIn("'id'", err.getvalue())
1536 self.assertNotIn("'w'", err.getvalue())
1537 self.assertNotIn("'pytho'", err.getvalue())
1538
1539 with self.subTest(name="m"):
1540 try:
1541 m
1542 except NameError as exc:
1543 with support.captured_stderr() as err:
1544 sys.__excepthook__(*sys.exc_info())
1545 self.assertNotIn("you mean", err.getvalue())
1546 self.assertNotIn("vvv", err.getvalue())
1547 self.assertNotIn("mom", err.getvalue())
1548 self.assertNotIn("'id'", err.getvalue())
1549 self.assertNotIn("'w'", err.getvalue())
1550 self.assertNotIn("'pytho'", err.getvalue())
1551
1552 with self.subTest(name="py"):
1553 try:
1554 py
1555 except NameError as exc:
1556 with support.captured_stderr() as err:
1557 sys.__excepthook__(*sys.exc_info())
1558 self.assertNotIn("you mean", err.getvalue())
1559 self.assertNotIn("vvv", err.getvalue())
1560 self.assertNotIn("mom", err.getvalue())
1561 self.assertNotIn("'id'", err.getvalue())
1562 self.assertNotIn("'w'", err.getvalue())
1563 self.assertNotIn("'pytho'", err.getvalue())
1564
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001565 def test_name_error_suggestions_do_not_trigger_for_too_many_locals(self):
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001566 def f():
1567 # Mutating locals() is unreliable, so we need to do it by hand
1568 a1 = a2 = a3 = a4 = a5 = a6 = a7 = a8 = a9 = a10 = a11 = a12 = a13 = \
1569 a14 = a15 = a16 = a17 = a18 = a19 = a20 = a21 = a22 = a23 = a24 = a25 = \
1570 a26 = a27 = a28 = a29 = a30 = a31 = a32 = a33 = a34 = a35 = a36 = a37 = \
1571 a38 = a39 = a40 = a41 = a42 = a43 = a44 = a45 = a46 = a47 = a48 = a49 = \
1572 a50 = a51 = a52 = a53 = a54 = a55 = a56 = a57 = a58 = a59 = a60 = a61 = \
1573 a62 = a63 = a64 = a65 = a66 = a67 = a68 = a69 = a70 = a71 = a72 = a73 = \
1574 a74 = a75 = a76 = a77 = a78 = a79 = a80 = a81 = a82 = a83 = a84 = a85 = \
1575 a86 = a87 = a88 = a89 = a90 = a91 = a92 = a93 = a94 = a95 = a96 = a97 = \
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001576 a98 = a99 = a100 = a101 = a102 = a103 = a104 = a105 = a106 = a107 = \
1577 a108 = a109 = a110 = a111 = a112 = a113 = a114 = a115 = a116 = a117 = \
1578 a118 = a119 = a120 = a121 = a122 = a123 = a124 = a125 = a126 = \
1579 a127 = a128 = a129 = a130 = a131 = a132 = a133 = a134 = a135 = a136 = \
1580 a137 = a138 = a139 = a140 = a141 = a142 = a143 = a144 = a145 = \
1581 a146 = a147 = a148 = a149 = a150 = a151 = a152 = a153 = a154 = a155 = \
1582 a156 = a157 = a158 = a159 = a160 = a161 = None
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001583 print(a0)
1584
1585 try:
1586 f()
1587 except NameError as exc:
1588 with support.captured_stderr() as err:
1589 sys.__excepthook__(*sys.exc_info())
1590
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001591 self.assertNotIn("a1", err.getvalue())
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001592
1593 def test_name_error_with_custom_exceptions(self):
1594 def f():
1595 blech = None
1596 raise NameError()
1597
1598 try:
1599 f()
1600 except NameError as exc:
1601 with support.captured_stderr() as err:
1602 sys.__excepthook__(*sys.exc_info())
1603
1604 self.assertNotIn("blech", err.getvalue())
1605
1606 def f():
1607 blech = None
1608 raise NameError
1609
1610 try:
1611 f()
1612 except NameError as exc:
1613 with support.captured_stderr() as err:
1614 sys.__excepthook__(*sys.exc_info())
1615
1616 self.assertNotIn("blech", err.getvalue())
Antoine Pitroua7622852011-09-01 21:37:43 +02001617
Pablo Galindo0ad81d42021-04-16 17:12:03 +01001618 def test_unbound_local_error_doesn_not_match(self):
1619 def foo():
1620 something = 3
1621 print(somethong)
1622 somethong = 3
1623
1624 try:
1625 foo()
1626 except UnboundLocalError as exc:
1627 with support.captured_stderr() as err:
1628 sys.__excepthook__(*sys.exc_info())
1629
1630 self.assertNotIn("something", err.getvalue())
1631
1632
Pablo Galindo37494b42021-04-14 02:36:07 +01001633class AttributeErrorTests(unittest.TestCase):
1634 def test_attributes(self):
1635 # Setting 'attr' should not be a problem.
1636 exc = AttributeError('Ouch!')
1637 self.assertIsNone(exc.name)
1638 self.assertIsNone(exc.obj)
1639
1640 sentinel = object()
1641 exc = AttributeError('Ouch', name='carry', obj=sentinel)
1642 self.assertEqual(exc.name, 'carry')
1643 self.assertIs(exc.obj, sentinel)
1644
1645 def test_getattr_has_name_and_obj(self):
1646 class A:
1647 blech = None
1648
1649 obj = A()
1650 try:
1651 obj.bluch
1652 except AttributeError as exc:
1653 self.assertEqual("bluch", exc.name)
1654 self.assertEqual(obj, exc.obj)
1655
1656 def test_getattr_has_name_and_obj_for_method(self):
1657 class A:
1658 def blech(self):
1659 return
1660
1661 obj = A()
1662 try:
1663 obj.bluch()
1664 except AttributeError as exc:
1665 self.assertEqual("bluch", exc.name)
1666 self.assertEqual(obj, exc.obj)
1667
1668 def test_getattr_suggestions(self):
1669 class Substitution:
1670 noise = more_noise = a = bc = None
1671 blech = None
1672
1673 class Elimination:
1674 noise = more_noise = a = bc = None
1675 blch = None
1676
1677 class Addition:
1678 noise = more_noise = a = bc = None
1679 bluchin = None
1680
1681 class SubstitutionOverElimination:
1682 blach = None
1683 bluc = None
1684
1685 class SubstitutionOverAddition:
1686 blach = None
1687 bluchi = None
1688
1689 class EliminationOverAddition:
1690 blucha = None
1691 bluc = None
1692
Pablo Galindo7a041162021-04-19 23:35:53 +01001693 for cls, suggestion in [(Substitution, "'blech'?"),
1694 (Elimination, "'blch'?"),
1695 (Addition, "'bluchin'?"),
1696 (EliminationOverAddition, "'bluc'?"),
1697 (SubstitutionOverElimination, "'blach'?"),
1698 (SubstitutionOverAddition, "'blach'?")]:
Pablo Galindo37494b42021-04-14 02:36:07 +01001699 try:
1700 cls().bluch
1701 except AttributeError as exc:
1702 with support.captured_stderr() as err:
1703 sys.__excepthook__(*sys.exc_info())
1704
1705 self.assertIn(suggestion, err.getvalue())
1706
1707 def test_getattr_suggestions_do_not_trigger_for_long_attributes(self):
1708 class A:
1709 blech = None
1710
1711 try:
1712 A().somethingverywrong
1713 except AttributeError as exc:
1714 with support.captured_stderr() as err:
1715 sys.__excepthook__(*sys.exc_info())
1716
1717 self.assertNotIn("blech", err.getvalue())
1718
Dennis Sweeney284c52d2021-04-26 20:22:27 -04001719 def test_getattr_error_bad_suggestions_do_not_trigger_for_small_names(self):
1720 class MyClass:
1721 vvv = mom = w = id = pytho = None
1722
1723 with self.subTest(name="b"):
1724 try:
1725 MyClass.b
1726 except AttributeError as exc:
1727 with support.captured_stderr() as err:
1728 sys.__excepthook__(*sys.exc_info())
1729 self.assertNotIn("you mean", err.getvalue())
1730 self.assertNotIn("vvv", err.getvalue())
1731 self.assertNotIn("mom", err.getvalue())
1732 self.assertNotIn("'id'", err.getvalue())
1733 self.assertNotIn("'w'", err.getvalue())
1734 self.assertNotIn("'pytho'", err.getvalue())
1735
1736 with self.subTest(name="v"):
1737 try:
1738 MyClass.v
1739 except AttributeError as exc:
1740 with support.captured_stderr() as err:
1741 sys.__excepthook__(*sys.exc_info())
1742 self.assertNotIn("you mean", err.getvalue())
1743 self.assertNotIn("vvv", err.getvalue())
1744 self.assertNotIn("mom", err.getvalue())
1745 self.assertNotIn("'id'", err.getvalue())
1746 self.assertNotIn("'w'", err.getvalue())
1747 self.assertNotIn("'pytho'", err.getvalue())
1748
1749 with self.subTest(name="m"):
1750 try:
1751 MyClass.m
1752 except AttributeError as exc:
1753 with support.captured_stderr() as err:
1754 sys.__excepthook__(*sys.exc_info())
1755 self.assertNotIn("you mean", err.getvalue())
1756 self.assertNotIn("vvv", err.getvalue())
1757 self.assertNotIn("mom", err.getvalue())
1758 self.assertNotIn("'id'", err.getvalue())
1759 self.assertNotIn("'w'", err.getvalue())
1760 self.assertNotIn("'pytho'", err.getvalue())
1761
1762 with self.subTest(name="py"):
1763 try:
1764 MyClass.py
1765 except AttributeError as exc:
1766 with support.captured_stderr() as err:
1767 sys.__excepthook__(*sys.exc_info())
1768 self.assertNotIn("you mean", err.getvalue())
1769 self.assertNotIn("vvv", err.getvalue())
1770 self.assertNotIn("mom", err.getvalue())
1771 self.assertNotIn("'id'", err.getvalue())
1772 self.assertNotIn("'w'", err.getvalue())
1773 self.assertNotIn("'pytho'", err.getvalue())
1774
1775
Pablo Galindo37494b42021-04-14 02:36:07 +01001776 def test_getattr_suggestions_do_not_trigger_for_big_dicts(self):
1777 class A:
1778 blech = None
1779 # A class with a very big __dict__ will not be consider
1780 # for suggestions.
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001781 for index in range(160):
Pablo Galindo37494b42021-04-14 02:36:07 +01001782 setattr(A, f"index_{index}", None)
1783
1784 try:
1785 A().bluch
1786 except AttributeError as exc:
1787 with support.captured_stderr() as err:
1788 sys.__excepthook__(*sys.exc_info())
1789
1790 self.assertNotIn("blech", err.getvalue())
1791
1792 def test_getattr_suggestions_no_args(self):
1793 class A:
1794 blech = None
1795 def __getattr__(self, attr):
1796 raise AttributeError()
1797
1798 try:
1799 A().bluch
1800 except AttributeError as exc:
1801 with support.captured_stderr() as err:
1802 sys.__excepthook__(*sys.exc_info())
1803
1804 self.assertIn("blech", err.getvalue())
1805
1806 class A:
1807 blech = None
1808 def __getattr__(self, attr):
1809 raise AttributeError
1810
1811 try:
1812 A().bluch
1813 except AttributeError as exc:
1814 with support.captured_stderr() as err:
1815 sys.__excepthook__(*sys.exc_info())
1816
1817 self.assertIn("blech", err.getvalue())
1818
1819 def test_getattr_suggestions_invalid_args(self):
1820 class NonStringifyClass:
1821 __str__ = None
1822 __repr__ = None
1823
1824 class A:
1825 blech = None
1826 def __getattr__(self, attr):
1827 raise AttributeError(NonStringifyClass())
1828
1829 class B:
1830 blech = None
1831 def __getattr__(self, attr):
1832 raise AttributeError("Error", 23)
1833
1834 class C:
1835 blech = None
1836 def __getattr__(self, attr):
1837 raise AttributeError(23)
1838
1839 for cls in [A, B, C]:
1840 try:
1841 cls().bluch
1842 except AttributeError as exc:
1843 with support.captured_stderr() as err:
1844 sys.__excepthook__(*sys.exc_info())
1845
1846 self.assertIn("blech", err.getvalue())
1847
Pablo Galindoe07f4ab2021-04-14 18:58:28 +01001848 def test_attribute_error_with_failing_dict(self):
1849 class T:
1850 bluch = 1
1851 def __dir__(self):
1852 raise AttributeError("oh no!")
1853
1854 try:
1855 T().blich
1856 except AttributeError as exc:
1857 with support.captured_stderr() as err:
1858 sys.__excepthook__(*sys.exc_info())
1859
1860 self.assertNotIn("blech", err.getvalue())
1861 self.assertNotIn("oh no!", err.getvalue())
Pablo Galindo37494b42021-04-14 02:36:07 +01001862
Pablo Galindo0b1c1692021-04-17 23:28:45 +01001863 def test_attribute_error_with_bad_name(self):
1864 try:
1865 raise AttributeError(name=12, obj=23)
1866 except AttributeError as exc:
1867 with support.captured_stderr() as err:
1868 sys.__excepthook__(*sys.exc_info())
1869
1870 self.assertNotIn("?", err.getvalue())
1871
1872
Brett Cannon79ec55e2012-04-12 20:24:54 -04001873class ImportErrorTests(unittest.TestCase):
1874
1875 def test_attributes(self):
1876 # Setting 'name' and 'path' should not be a problem.
1877 exc = ImportError('test')
1878 self.assertIsNone(exc.name)
1879 self.assertIsNone(exc.path)
1880
1881 exc = ImportError('test', name='somemodule')
1882 self.assertEqual(exc.name, 'somemodule')
1883 self.assertIsNone(exc.path)
1884
1885 exc = ImportError('test', path='somepath')
1886 self.assertEqual(exc.path, 'somepath')
1887 self.assertIsNone(exc.name)
1888
1889 exc = ImportError('test', path='somepath', name='somename')
1890 self.assertEqual(exc.name, 'somename')
1891 self.assertEqual(exc.path, 'somepath')
1892
Michael Seifert64c8f702017-04-09 09:47:12 +02001893 msg = "'invalid' is an invalid keyword argument for ImportError"
Serhiy Storchaka47dee112016-09-27 20:45:35 +03001894 with self.assertRaisesRegex(TypeError, msg):
1895 ImportError('test', invalid='keyword')
1896
1897 with self.assertRaisesRegex(TypeError, msg):
1898 ImportError('test', name='name', invalid='keyword')
1899
1900 with self.assertRaisesRegex(TypeError, msg):
1901 ImportError('test', path='path', invalid='keyword')
1902
1903 with self.assertRaisesRegex(TypeError, msg):
1904 ImportError(invalid='keyword')
1905
Serhiy Storchaka47dee112016-09-27 20:45:35 +03001906 with self.assertRaisesRegex(TypeError, msg):
1907 ImportError('test', invalid='keyword', another=True)
1908
Serhiy Storchakae9e44482016-09-28 07:53:32 +03001909 def test_reset_attributes(self):
1910 exc = ImportError('test', name='name', path='path')
1911 self.assertEqual(exc.args, ('test',))
1912 self.assertEqual(exc.msg, 'test')
1913 self.assertEqual(exc.name, 'name')
1914 self.assertEqual(exc.path, 'path')
1915
1916 # Reset not specified attributes
1917 exc.__init__()
1918 self.assertEqual(exc.args, ())
1919 self.assertEqual(exc.msg, None)
1920 self.assertEqual(exc.name, None)
1921 self.assertEqual(exc.path, None)
1922
Brett Cannon07c6e712012-08-24 13:05:09 -04001923 def test_non_str_argument(self):
1924 # Issue #15778
Nadeem Vawda6d708702012-10-14 01:42:32 +02001925 with check_warnings(('', BytesWarning), quiet=True):
1926 arg = b'abc'
1927 exc = ImportError(arg)
1928 self.assertEqual(str(arg), str(exc))
Brett Cannon79ec55e2012-04-12 20:24:54 -04001929
Serhiy Storchakab7853962017-04-08 09:55:07 +03001930 def test_copy_pickle(self):
1931 for kwargs in (dict(),
1932 dict(name='somename'),
1933 dict(path='somepath'),
1934 dict(name='somename', path='somepath')):
1935 orig = ImportError('test', **kwargs)
1936 for proto in range(pickle.HIGHEST_PROTOCOL + 1):
1937 exc = pickle.loads(pickle.dumps(orig, proto))
1938 self.assertEqual(exc.args, ('test',))
1939 self.assertEqual(exc.msg, 'test')
1940 self.assertEqual(exc.name, orig.name)
1941 self.assertEqual(exc.path, orig.path)
1942 for c in copy.copy, copy.deepcopy:
1943 exc = c(orig)
1944 self.assertEqual(exc.args, ('test',))
1945 self.assertEqual(exc.msg, 'test')
1946 self.assertEqual(exc.name, orig.name)
1947 self.assertEqual(exc.path, orig.path)
1948
Pablo Galindoa77aac42021-04-23 14:27:05 +01001949class SyntaxErrorTests(unittest.TestCase):
1950 def test_range_of_offsets(self):
1951 cases = [
1952 # Basic range from 2->7
1953 (("bad.py", 1, 2, "abcdefg", 1, 7),
1954 dedent(
1955 """
1956 File "bad.py", line 1
1957 abcdefg
1958 ^^^^^
1959 SyntaxError: bad bad
1960 """)),
1961 # end_offset = start_offset + 1
1962 (("bad.py", 1, 2, "abcdefg", 1, 3),
1963 dedent(
1964 """
1965 File "bad.py", line 1
1966 abcdefg
1967 ^
1968 SyntaxError: bad bad
1969 """)),
1970 # Negative end offset
1971 (("bad.py", 1, 2, "abcdefg", 1, -2),
1972 dedent(
1973 """
1974 File "bad.py", line 1
1975 abcdefg
1976 ^
1977 SyntaxError: bad bad
1978 """)),
1979 # end offset before starting offset
1980 (("bad.py", 1, 4, "abcdefg", 1, 2),
1981 dedent(
1982 """
1983 File "bad.py", line 1
1984 abcdefg
1985 ^
1986 SyntaxError: bad bad
1987 """)),
1988 # Both offsets negative
1989 (("bad.py", 1, -4, "abcdefg", 1, -2),
1990 dedent(
1991 """
1992 File "bad.py", line 1
1993 abcdefg
1994 SyntaxError: bad bad
1995 """)),
1996 # Both offsets negative and the end more negative
1997 (("bad.py", 1, -4, "abcdefg", 1, -5),
1998 dedent(
1999 """
2000 File "bad.py", line 1
2001 abcdefg
2002 SyntaxError: bad bad
2003 """)),
2004 # Both offsets 0
2005 (("bad.py", 1, 0, "abcdefg", 1, 0),
2006 dedent(
2007 """
2008 File "bad.py", line 1
2009 abcdefg
2010 SyntaxError: bad bad
2011 """)),
2012 # Start offset 0 and end offset not 0
2013 (("bad.py", 1, 0, "abcdefg", 1, 5),
2014 dedent(
2015 """
2016 File "bad.py", line 1
2017 abcdefg
2018 SyntaxError: bad bad
2019 """)),
2020 # End offset pass the source lenght
2021 (("bad.py", 1, 2, "abcdefg", 1, 100),
2022 dedent(
2023 """
2024 File "bad.py", line 1
2025 abcdefg
2026 ^^^^^^
2027 SyntaxError: bad bad
2028 """)),
2029 ]
2030 for args, expected in cases:
2031 with self.subTest(args=args):
2032 try:
2033 raise SyntaxError("bad bad", args)
2034 except SyntaxError as exc:
2035 with support.captured_stderr() as err:
2036 sys.__excepthook__(*sys.exc_info())
2037 the_exception = exc
2038
2039 def test_attributes_new_constructor(self):
2040 args = ("bad.py", 1, 2, "abcdefg", 1, 100)
2041 the_exception = SyntaxError("bad bad", args)
2042 filename, lineno, offset, error, end_lineno, end_offset = args
2043 self.assertEqual(filename, the_exception.filename)
2044 self.assertEqual(lineno, the_exception.lineno)
2045 self.assertEqual(end_lineno, the_exception.end_lineno)
2046 self.assertEqual(offset, the_exception.offset)
2047 self.assertEqual(end_offset, the_exception.end_offset)
2048 self.assertEqual(error, the_exception.text)
2049 self.assertEqual("bad bad", the_exception.msg)
2050
2051 def test_attributes_old_constructor(self):
2052 args = ("bad.py", 1, 2, "abcdefg")
2053 the_exception = SyntaxError("bad bad", args)
2054 filename, lineno, offset, error = args
2055 self.assertEqual(filename, the_exception.filename)
2056 self.assertEqual(lineno, the_exception.lineno)
2057 self.assertEqual(None, the_exception.end_lineno)
2058 self.assertEqual(offset, the_exception.offset)
2059 self.assertEqual(None, the_exception.end_offset)
2060 self.assertEqual(error, the_exception.text)
2061 self.assertEqual("bad bad", the_exception.msg)
2062
2063 def test_incorrect_constructor(self):
2064 args = ("bad.py", 1, 2)
2065 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2066
2067 args = ("bad.py", 1, 2, 4, 5, 6, 7)
2068 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2069
2070 args = ("bad.py", 1, 2, "abcdefg", 1)
2071 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2072
Brett Cannon79ec55e2012-04-12 20:24:54 -04002073
Mark Shannonbf353f32020-12-17 13:55:28 +00002074class PEP626Tests(unittest.TestCase):
2075
2076 def lineno_after_raise(self, f, line):
2077 try:
2078 f()
2079 except Exception as ex:
2080 t = ex.__traceback__
2081 while t.tb_next:
2082 t = t.tb_next
2083 frame = t.tb_frame
Mark Shannon088a15c2021-04-29 19:28:50 +01002084 if line is None:
2085 self.assertEqual(frame.f_lineno, line)
2086 else:
2087 self.assertEqual(frame.f_lineno-frame.f_code.co_firstlineno, line)
Mark Shannonbf353f32020-12-17 13:55:28 +00002088
2089 def test_lineno_after_raise_simple(self):
2090 def simple():
2091 1/0
2092 pass
2093 self.lineno_after_raise(simple, 1)
2094
2095 def test_lineno_after_raise_in_except(self):
2096 def in_except():
2097 try:
2098 1/0
2099 except:
2100 1/0
2101 pass
2102 self.lineno_after_raise(in_except, 4)
2103
2104 def test_lineno_after_other_except(self):
2105 def other_except():
2106 try:
2107 1/0
2108 except TypeError as ex:
2109 pass
2110 self.lineno_after_raise(other_except, 3)
2111
2112 def test_lineno_in_named_except(self):
2113 def in_named_except():
2114 try:
2115 1/0
2116 except Exception as ex:
2117 1/0
2118 pass
2119 self.lineno_after_raise(in_named_except, 4)
2120
2121 def test_lineno_in_try(self):
2122 def in_try():
2123 try:
2124 1/0
2125 finally:
2126 pass
2127 self.lineno_after_raise(in_try, 4)
2128
2129 def test_lineno_in_finally_normal(self):
2130 def in_finally_normal():
2131 try:
2132 pass
2133 finally:
2134 1/0
2135 pass
2136 self.lineno_after_raise(in_finally_normal, 4)
2137
2138 def test_lineno_in_finally_except(self):
2139 def in_finally_except():
2140 try:
2141 1/0
2142 finally:
2143 1/0
2144 pass
2145 self.lineno_after_raise(in_finally_except, 4)
2146
2147 def test_lineno_after_with(self):
2148 class Noop:
2149 def __enter__(self):
2150 return self
2151 def __exit__(self, *args):
2152 pass
2153 def after_with():
2154 with Noop():
2155 1/0
2156 pass
2157 self.lineno_after_raise(after_with, 2)
2158
Mark Shannon088a15c2021-04-29 19:28:50 +01002159 def test_missing_lineno_shows_as_none(self):
2160 def f():
2161 1/0
2162 self.lineno_after_raise(f, 1)
2163 f.__code__ = f.__code__.replace(co_linetable=b'\x04\x80\xff\x80')
2164 self.lineno_after_raise(f, None)
Mark Shannonbf353f32020-12-17 13:55:28 +00002165
Thomas Wouters4d70c3d2006-06-08 14:42:34 +00002166if __name__ == '__main__':
Guido van Rossumb8142c32007-05-08 17:49:10 +00002167 unittest.main()