blob: 49739723ee4731af2c006086a12b1ba0200b73ba [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"'''
Miss Islington (bot)68e3dca2021-07-27 14:19:18 -0700171 ckmsg(s, "Missing parentheses in call to 'print'. Did you mean print(...)?")
Martijn Pieters772d8092017-08-22 21:16:23 +0100172
173 s = '''print "old style",'''
Miss Islington (bot)68e3dca2021-07-27 14:19:18 -0700174 ckmsg(s, "Missing parentheses in call to 'print'. Did you mean print(...)?")
Martijn Pieters772d8092017-08-22 21:16:23 +0100175
Pablo Galindo Salgadob977f852021-07-27 18:52:32 +0100176 s = 'print f(a+b,c)'
Miss Islington (bot)68e3dca2021-07-27 14:19:18 -0700177 ckmsg(s, "Missing parentheses in call to 'print'. Did you mean print(...)?")
Pablo Galindo Salgadob977f852021-07-27 18:52:32 +0100178
Martijn Pieters772d8092017-08-22 21:16:23 +0100179 s = '''exec "old style"'''
Miss Islington (bot)68e3dca2021-07-27 14:19:18 -0700180 ckmsg(s, "Missing parentheses in call to 'exec'. Did you mean exec(...)?")
Martijn Pieters772d8092017-08-22 21:16:23 +0100181
Pablo Galindo Salgadob977f852021-07-27 18:52:32 +0100182 s = 'exec f(a+b,c)'
Miss Islington (bot)68e3dca2021-07-27 14:19:18 -0700183 ckmsg(s, "Missing parentheses in call to 'exec'. Did you mean exec(...)?")
Pablo Galindo Salgadob977f852021-07-27 18:52:32 +0100184
Miss Islington (bot)35035bc2021-07-31 18:31:44 -0700185 # Check that we don't incorrectly identify '(...)' as an expression to the right
186 # of 'print'
187
188 s = 'print (a+b,c) $ 42'
189 ckmsg(s, "invalid syntax")
190
191 s = 'exec (a+b,c) $ 42'
192 ckmsg(s, "invalid syntax")
193
Martijn Pieters772d8092017-08-22 21:16:23 +0100194 # should not apply to subclasses, see issue #31161
195 s = '''if True:\nprint "No indent"'''
Pablo Galindo56c95df2021-04-21 15:28:21 +0100196 ckmsg(s, "expected an indented block after 'if' statement on line 1", IndentationError)
Martijn Pieters772d8092017-08-22 21:16:23 +0100197
198 s = '''if True:\n print()\n\texec "mixed tabs and spaces"'''
199 ckmsg(s, "inconsistent use of tabs and spaces in indentation", TabError)
200
Batuhan Taskaya76c1b4d2020-05-01 16:13:43 +0300201 def check(self, src, lineno, offset, encoding='utf-8'):
Pablo Galindoaf8e5f82020-05-17 01:22:00 +0100202 with self.subTest(source=src, lineno=lineno, offset=offset):
203 with self.assertRaises(SyntaxError) as cm:
204 compile(src, '<fragment>', 'exec')
205 self.assertEqual(cm.exception.lineno, lineno)
206 self.assertEqual(cm.exception.offset, offset)
207 if cm.exception.text is not None:
208 if not isinstance(src, str):
209 src = src.decode(encoding, 'replace')
210 line = src.split('\n')[lineno-1]
211 self.assertIn(line, cm.exception.text)
Łukasz Langa5c9cab52021-10-19 22:31:18 +0200212
213 def test_error_offset_continuation_characters(self):
214 check = self.check
215 check('"\\\n"(1 for c in I,\\\n\\', 2, 2)
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200216
Batuhan Taskaya76c1b4d2020-05-01 16:13:43 +0300217 def testSyntaxErrorOffset(self):
218 check = self.check
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200219 check('def fact(x):\n\treturn x!\n', 2, 10)
220 check('1 +\n', 1, 4)
221 check('def spam():\n print(1)\n print(2)', 3, 10)
222 check('Python = "Python" +', 1, 20)
223 check('Python = "\u1e54\xfd\u0163\u0125\xf2\xf1" +', 1, 20)
Serhiy Storchaka0cc6b5e2020-02-12 12:17:00 +0200224 check(b'# -*- coding: cp1251 -*-\nPython = "\xcf\xb3\xf2\xee\xed" +',
225 2, 19, encoding='cp1251')
226 check(b'Python = "\xcf\xb3\xf2\xee\xed" +', 1, 18)
Batuhan Taskayaa698d522021-01-21 00:38:47 +0300227 check('x = "a', 1, 5)
Ammar Askar025eb982018-09-24 17:12:49 -0400228 check('lambda x: x = 2', 1, 1)
Pablo Galindo Salgadoc72311d2021-11-25 01:01:40 +0000229 check('f{a + b + c}', 1, 2)
Pablo Galindo Salgado633db1c2022-01-23 03:10:37 +0000230 check('[file for str(file) in []\n]', 1, 11)
Miss Islington (bot)933b5b62021-06-08 04:46:56 -0700231 check('a = « hello » « world »', 1, 5)
Lysandros Nikolaoue5fe5092021-01-14 23:36:30 +0200232 check('[\nfile\nfor str(file)\nin\n[]\n]', 3, 5)
233 check('[file for\n str(file) in []]', 2, 2)
Pablo Galindo Salgado14284b02022-02-10 14:38:31 +0000234 check("ages = {'Alice'=22, 'Bob'=23}", 1, 9)
Miss Islington (bot)f807a4f2021-06-09 14:45:43 -0700235 check('match ...:\n case {**rest, "key": value}:\n ...', 2, 19)
Pablo Galindo Salgadoc72311d2021-11-25 01:01:40 +0000236 check("[a b c d e f]", 1, 2)
Pablo Galindo Salgadoc5214122021-12-07 15:23:33 +0000237 check("for x yfff:", 1, 7)
Ammar Askar025eb982018-09-24 17:12:49 -0400238
239 # Errors thrown by compile.c
240 check('class foo:return 1', 1, 11)
241 check('def f():\n continue', 2, 3)
242 check('def f():\n break', 2, 3)
Mark Shannon8d4b1842021-05-06 13:38:50 +0100243 check('try:\n pass\nexcept:\n pass\nexcept ValueError:\n pass', 3, 1)
Ammar Askar025eb982018-09-24 17:12:49 -0400244
245 # Errors thrown by tokenizer.c
246 check('(0x+1)', 1, 3)
247 check('x = 0xI', 1, 6)
Miss Islington (bot)2a722d42021-07-09 17:47:33 -0700248 check('0010 + 2', 1, 1)
Ammar Askar025eb982018-09-24 17:12:49 -0400249 check('x = 32e-+4', 1, 8)
Miss Islington (bot)2a722d42021-07-09 17:47:33 -0700250 check('x = 0o9', 1, 7)
Serhiy Storchaka0cc6b5e2020-02-12 12:17:00 +0200251 check('\u03b1 = 0xI', 1, 6)
252 check(b'\xce\xb1 = 0xI', 1, 6)
253 check(b'# -*- coding: iso8859-7 -*-\n\xe1 = 0xI', 2, 6,
254 encoding='iso8859-7')
Pablo Galindo11a7f152020-04-21 01:53:04 +0100255 check(b"""if 1:
256 def foo():
257 '''
258
259 def bar():
260 pass
261
262 def baz():
263 '''quux'''
Batuhan Taskayaa698d522021-01-21 00:38:47 +0300264 """, 9, 24)
Pablo Galindobcc30362020-05-14 21:11:48 +0100265 check("pass\npass\npass\n(1+)\npass\npass\npass", 4, 4)
266 check("(1+)", 1, 4)
Miss Islington (bot)1afaaf52021-05-15 10:39:18 -0700267 check("[interesting\nfoo()\n", 1, 1)
Miss Islington (bot)133cddf2021-06-14 10:07:52 -0700268 check(b"\xef\xbb\xbf#coding: utf8\nprint('\xe6\x88\x91')\n", 0, -1)
Miss Islington (bot)19a85502022-01-11 08:33:08 -0800269 check("""f'''
270 {
271 (123_a)
272 }'''""", 3, 17)
273 check("""f'''
274 {
275 f\"\"\"
276 {
277 (123_a)
278 }
279 \"\"\"
280 }'''""", 5, 17)
Miss Islington (bot)1fb1f5d2022-01-20 05:05:10 -0800281 check('''f"""
282
283
284 {
285 6
286 0="""''', 5, 13)
Ammar Askar025eb982018-09-24 17:12:49 -0400287
288 # Errors thrown by symtable.c
Miss Islington (bot)438817f2021-12-11 17:24:12 -0800289 check('x = [(yield i) for i in range(3)]', 1, 7)
290 check('def f():\n from _ import *', 2, 17)
291 check('def f(x, x):\n pass', 1, 10)
292 check('{i for i in range(5) if (j := 0) for j in range(5)}', 1, 38)
Ammar Askar025eb982018-09-24 17:12:49 -0400293 check('def f(x):\n nonlocal x', 2, 3)
294 check('def f(x):\n x = 1\n global x', 3, 3)
295 check('nonlocal x', 1, 1)
296 check('def f():\n global x\n nonlocal x', 2, 3)
297
Ammar Askar025eb982018-09-24 17:12:49 -0400298 # Errors thrown by future.c
299 check('from __future__ import doesnt_exist', 1, 1)
300 check('from __future__ import braces', 1, 1)
301 check('x=1\nfrom __future__ import division', 2, 1)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100302 check('foo(1=2)', 1, 5)
Lysandros Nikolaoua15c9b32020-05-13 22:36:27 +0300303 check('def f():\n x, y: int', 2, 3)
304 check('[*x for x in xs]', 1, 2)
305 check('foo(x for x in range(10), 100)', 1, 5)
Lysandros Nikolaou01ece632020-06-19 02:10:43 +0300306 check('for 1 in []: pass', 1, 5)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100307 check('(yield i) = 2', 1, 2)
308 check('def f(*):\n pass', 1, 7)
Serhiy Storchaka65fd0592014-01-21 22:26:52 +0200309
Benjamin Peterson17e0bbc2010-06-28 15:39:55 +0000310 @cpython_only
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000311 def testSettingException(self):
312 # test that setting an exception at the C level works even if the
313 # exception object can't be constructed.
Jeremy Hyltonede049b2001-09-26 20:01:13 +0000314
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000315 class BadException(Exception):
316 def __init__(self_):
Collin Winter828f04a2007-08-31 00:04:24 +0000317 raise RuntimeError("can't instantiate BadException")
Finn Bockaa3dc452001-12-08 10:15:48 +0000318
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000319 class InvalidException:
320 pass
Thomas Wouters303de6a2006-04-20 22:42:37 +0000321
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000322 def test_capi1():
323 import _testcapi
324 try:
325 _testcapi.raise_exception(BadException, 1)
Guido van Rossumb940e112007-01-10 16:19:56 +0000326 except TypeError as err:
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000327 exc, err, tb = sys.exc_info()
328 co = tb.tb_frame.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000329 self.assertEqual(co.co_name, "test_capi1")
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000330 self.assertTrue(co.co_filename.endswith('test_exceptions.py'))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000331 else:
332 self.fail("Expected exception")
Jeremy Hyltonede049b2001-09-26 20:01:13 +0000333
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000334 def test_capi2():
335 import _testcapi
336 try:
337 _testcapi.raise_exception(BadException, 0)
Guido van Rossumb940e112007-01-10 16:19:56 +0000338 except RuntimeError as err:
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000339 exc, err, tb = sys.exc_info()
340 co = tb.tb_frame.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000341 self.assertEqual(co.co_name, "__init__")
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000342 self.assertTrue(co.co_filename.endswith('test_exceptions.py'))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000343 co2 = tb.tb_frame.f_back.f_code
Ezio Melottib3aedd42010-11-20 19:04:17 +0000344 self.assertEqual(co2.co_name, "test_capi2")
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000345 else:
346 self.fail("Expected exception")
Thomas Wouters477c8d52006-05-27 19:21:47 +0000347
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000348 def test_capi3():
349 import _testcapi
350 self.assertRaises(SystemError, _testcapi.raise_exception,
351 InvalidException, 1)
352
353 if not sys.platform.startswith('java'):
354 test_capi1()
355 test_capi2()
356 test_capi3()
357
Thomas Wouters89f507f2006-12-13 04:49:30 +0000358 def test_WindowsError(self):
359 try:
360 WindowsError
361 except NameError:
362 pass
363 else:
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200364 self.assertIs(WindowsError, OSError)
365 self.assertEqual(str(OSError(1001)), "1001")
366 self.assertEqual(str(OSError(1001, "message")),
367 "[Errno 1001] message")
368 # POSIX errno (9 aka EBADF) is untranslated
369 w = OSError(9, 'foo', 'bar')
370 self.assertEqual(w.errno, 9)
371 self.assertEqual(w.winerror, None)
372 self.assertEqual(str(w), "[Errno 9] foo: 'bar'")
373 # ERROR_PATH_NOT_FOUND (win error 3) becomes ENOENT (2)
374 w = OSError(0, 'foo', 'bar', 3)
375 self.assertEqual(w.errno, 2)
376 self.assertEqual(w.winerror, 3)
377 self.assertEqual(w.strerror, 'foo')
378 self.assertEqual(w.filename, 'bar')
Martin Panter5487c132015-10-26 11:05:42 +0000379 self.assertEqual(w.filename2, None)
Richard Oudkerk30147712012-08-28 19:33:26 +0100380 self.assertEqual(str(w), "[WinError 3] foo: 'bar'")
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200381 # Unknown win error becomes EINVAL (22)
382 w = OSError(0, 'foo', None, 1001)
383 self.assertEqual(w.errno, 22)
384 self.assertEqual(w.winerror, 1001)
385 self.assertEqual(w.strerror, 'foo')
386 self.assertEqual(w.filename, None)
Martin Panter5487c132015-10-26 11:05:42 +0000387 self.assertEqual(w.filename2, None)
Richard Oudkerk30147712012-08-28 19:33:26 +0100388 self.assertEqual(str(w), "[WinError 1001] foo")
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200389 # Non-numeric "errno"
390 w = OSError('bar', 'foo')
391 self.assertEqual(w.errno, 'bar')
392 self.assertEqual(w.winerror, None)
393 self.assertEqual(w.strerror, 'foo')
394 self.assertEqual(w.filename, None)
Martin Panter5487c132015-10-26 11:05:42 +0000395 self.assertEqual(w.filename2, None)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000396
Victor Stinnerd223fa62015-04-02 14:17:38 +0200397 @unittest.skipUnless(sys.platform == 'win32',
398 'test specific to Windows')
Serhiy Storchakaf41f8f92015-04-02 09:47:27 +0300399 def test_windows_message(self):
400 """Should fill in unknown error code in Windows error message"""
Victor Stinnerd223fa62015-04-02 14:17:38 +0200401 ctypes = import_module('ctypes')
402 # this error code has no message, Python formats it as hexadecimal
403 code = 3765269347
404 with self.assertRaisesRegex(OSError, 'Windows Error 0x%x' % code):
405 ctypes.pythonapi.PyErr_SetFromWindowsErr(code)
Serhiy Storchakaf41f8f92015-04-02 09:47:27 +0300406
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000407 def testAttributes(self):
408 # test that exception attributes are happy
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000409
410 exceptionList = [
Guido van Rossumebe3e162007-05-17 18:20:34 +0000411 (BaseException, (), {'args' : ()}),
412 (BaseException, (1, ), {'args' : (1,)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000413 (BaseException, ('foo',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000414 {'args' : ('foo',)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000415 (BaseException, ('foo', 1),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000416 {'args' : ('foo', 1)}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000417 (SystemExit, ('foo',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000418 {'args' : ('foo',), 'code' : 'foo'}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200419 (OSError, ('foo',),
Martin Panter5487c132015-10-26 11:05:42 +0000420 {'args' : ('foo',), 'filename' : None, 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000421 'errno' : None, 'strerror' : None}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200422 (OSError, ('foo', 'bar'),
Martin Panter5487c132015-10-26 11:05:42 +0000423 {'args' : ('foo', 'bar'),
424 'filename' : None, 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000425 'errno' : 'foo', 'strerror' : 'bar'}),
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200426 (OSError, ('foo', 'bar', 'baz'),
Martin Panter5487c132015-10-26 11:05:42 +0000427 {'args' : ('foo', 'bar'),
428 'filename' : 'baz', 'filename2' : None,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000429 'errno' : 'foo', 'strerror' : 'bar'}),
Larry Hastingsb0827312014-02-09 22:05:19 -0800430 (OSError, ('foo', 'bar', 'baz', None, 'quux'),
431 {'args' : ('foo', 'bar'), 'filename' : 'baz', 'filename2': 'quux'}),
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200432 (OSError, ('errnoStr', 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000433 {'args' : ('errnoStr', 'strErrorStr'),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000434 'strerror' : 'strErrorStr', 'errno' : 'errnoStr',
435 'filename' : 'filenameStr'}),
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200436 (OSError, (1, 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000437 {'args' : (1, 'strErrorStr'), 'errno' : 1,
Martin Panter5487c132015-10-26 11:05:42 +0000438 'strerror' : 'strErrorStr',
439 'filename' : 'filenameStr', 'filename2' : None}),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000440 (SyntaxError, (), {'msg' : None, 'text' : None,
Guido van Rossumd8faa362007-04-27 19:54:29 +0000441 'filename' : None, 'lineno' : None, 'offset' : None,
Pablo Galindoa77aac42021-04-23 14:27:05 +0100442 'end_offset': None, 'print_file_and_line' : None}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000443 (SyntaxError, ('msgStr',),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000444 {'args' : ('msgStr',), 'text' : None,
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000445 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100446 'filename' : None, 'lineno' : None, 'offset' : None,
447 'end_offset': None}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000448 (SyntaxError, ('msgStr', ('filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100449 'textStr', 'endLinenoStr', 'endOffsetStr')),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000450 {'offset' : 'offsetStr', 'text' : 'textStr',
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000451 'args' : ('msgStr', ('filenameStr', 'linenoStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100452 'offsetStr', 'textStr',
453 'endLinenoStr', 'endOffsetStr')),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000454 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100455 'filename' : 'filenameStr', 'lineno' : 'linenoStr',
456 'end_lineno': 'endLinenoStr', 'end_offset': 'endOffsetStr'}),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000457 (SyntaxError, ('msgStr', 'filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100458 'textStr', 'endLinenoStr', 'endOffsetStr',
459 'print_file_and_lineStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000460 {'text' : None,
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000461 'args' : ('msgStr', 'filenameStr', 'linenoStr', 'offsetStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100462 'textStr', 'endLinenoStr', 'endOffsetStr',
463 'print_file_and_lineStr'),
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000464 'print_file_and_line' : None, 'msg' : 'msgStr',
Pablo Galindoa77aac42021-04-23 14:27:05 +0100465 'filename' : None, 'lineno' : None, 'offset' : None,
466 'end_lineno': None, 'end_offset': None}),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000467 (UnicodeError, (), {'args' : (),}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000468 (UnicodeEncodeError, ('ascii', 'a', 0, 1,
469 'ordinal not in range'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000470 {'args' : ('ascii', 'a', 0, 1,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000471 'ordinal not in range'),
Guido van Rossumef87d6e2007-05-02 19:09:54 +0000472 'encoding' : 'ascii', 'object' : 'a',
Thomas Wouters89f507f2006-12-13 04:49:30 +0000473 'start' : 0, 'reason' : 'ordinal not in range'}),
Guido van Rossum254348e2007-11-21 19:29:53 +0000474 (UnicodeDecodeError, ('ascii', bytearray(b'\xff'), 0, 1,
Guido van Rossum98297ee2007-11-06 21:34:58 +0000475 'ordinal not in range'),
Guido van Rossum254348e2007-11-21 19:29:53 +0000476 {'args' : ('ascii', bytearray(b'\xff'), 0, 1,
Guido van Rossum98297ee2007-11-06 21:34:58 +0000477 'ordinal not in range'),
478 'encoding' : 'ascii', 'object' : b'\xff',
479 'start' : 0, 'reason' : 'ordinal not in range'}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000480 (UnicodeDecodeError, ('ascii', b'\xff', 0, 1,
481 'ordinal not in range'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000482 {'args' : ('ascii', b'\xff', 0, 1,
Thomas Wouters89f507f2006-12-13 04:49:30 +0000483 'ordinal not in range'),
Guido van Rossumb8142c32007-05-08 17:49:10 +0000484 'encoding' : 'ascii', 'object' : b'\xff',
Thomas Wouters89f507f2006-12-13 04:49:30 +0000485 'start' : 0, 'reason' : 'ordinal not in range'}),
Walter Dörwaldeceb0fb2007-05-24 17:49:56 +0000486 (UnicodeTranslateError, ("\u3042", 0, 1, "ouch"),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000487 {'args' : ('\u3042', 0, 1, 'ouch'),
Guido van Rossumef87d6e2007-05-02 19:09:54 +0000488 'object' : '\u3042', 'reason' : 'ouch',
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000489 'start' : 0, 'end' : 1}),
Richard Oudkerk5562d9d2012-07-28 17:45:28 +0100490 (NaiveException, ('foo',),
491 {'args': ('foo',), 'x': 'foo'}),
492 (SlottedNaiveException, ('foo',),
493 {'args': ('foo',), 'x': 'foo'}),
Thomas Wouters477c8d52006-05-27 19:21:47 +0000494 ]
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000495 try:
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200496 # More tests are in test_WindowsError
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000497 exceptionList.append(
498 (WindowsError, (1, 'strErrorStr', 'filenameStr'),
Guido van Rossumebe3e162007-05-17 18:20:34 +0000499 {'args' : (1, 'strErrorStr'),
Antoine Pitrou6b4883d2011-10-12 02:54:14 +0200500 'strerror' : 'strErrorStr', 'winerror' : None,
Martin Panter5487c132015-10-26 11:05:42 +0000501 'errno' : 1,
502 'filename' : 'filenameStr', 'filename2' : None})
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000503 )
Thomas Wouters73e5a5b2006-06-08 15:35:45 +0000504 except NameError:
505 pass
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000506
Guido van Rossumebe3e162007-05-17 18:20:34 +0000507 for exc, args, expected in exceptionList:
508 try:
509 e = exc(*args)
510 except:
Guido van Rossum98297ee2007-11-06 21:34:58 +0000511 print("\nexc=%r, args=%r" % (exc, args), file=sys.stderr)
Pablo Galindoa77aac42021-04-23 14:27:05 +0100512 # raise
Guido van Rossumebe3e162007-05-17 18:20:34 +0000513 else:
514 # Verify module name
Richard Oudkerk5562d9d2012-07-28 17:45:28 +0100515 if not type(e).__name__.endswith('NaiveException'):
516 self.assertEqual(type(e).__module__, 'builtins')
Guido van Rossumebe3e162007-05-17 18:20:34 +0000517 # Verify no ref leaks in Exc_str()
518 s = str(e)
519 for checkArgName in expected:
520 value = getattr(e, checkArgName)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000521 self.assertEqual(repr(value),
522 repr(expected[checkArgName]),
523 '%r.%s == %r, expected %r' % (
524 e, checkArgName,
525 value, expected[checkArgName]))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000526
Guido van Rossumebe3e162007-05-17 18:20:34 +0000527 # test for pickling support
Guido van Rossum99603b02007-07-20 00:22:32 +0000528 for p in [pickle]:
Guido van Rossumebe3e162007-05-17 18:20:34 +0000529 for protocol in range(p.HIGHEST_PROTOCOL + 1):
530 s = p.dumps(e, protocol)
531 new = p.loads(s)
532 for checkArgName in expected:
533 got = repr(getattr(new, checkArgName))
534 want = repr(expected[checkArgName])
Ezio Melottib3aedd42010-11-20 19:04:17 +0000535 self.assertEqual(got, want,
536 'pickled "%r", attribute "%s' %
537 (e, checkArgName))
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000538
Collin Winter828f04a2007-08-31 00:04:24 +0000539 def testWithTraceback(self):
540 try:
541 raise IndexError(4)
542 except:
543 tb = sys.exc_info()[2]
544
545 e = BaseException().with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000546 self.assertIsInstance(e, BaseException)
Collin Winter828f04a2007-08-31 00:04:24 +0000547 self.assertEqual(e.__traceback__, tb)
548
549 e = IndexError(5).with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000550 self.assertIsInstance(e, IndexError)
Collin Winter828f04a2007-08-31 00:04:24 +0000551 self.assertEqual(e.__traceback__, tb)
552
553 class MyException(Exception):
554 pass
555
556 e = MyException().with_traceback(tb)
Ezio Melottie9615932010-01-24 19:26:24 +0000557 self.assertIsInstance(e, MyException)
Collin Winter828f04a2007-08-31 00:04:24 +0000558 self.assertEqual(e.__traceback__, tb)
559
560 def testInvalidTraceback(self):
561 try:
562 Exception().__traceback__ = 5
563 except TypeError as e:
Benjamin Peterson577473f2010-01-19 00:09:57 +0000564 self.assertIn("__traceback__ must be a traceback", str(e))
Collin Winter828f04a2007-08-31 00:04:24 +0000565 else:
566 self.fail("No exception raised")
567
Georg Brandlab6f2f62009-03-31 04:16:10 +0000568 def testInvalidAttrs(self):
569 self.assertRaises(TypeError, setattr, Exception(), '__cause__', 1)
570 self.assertRaises(TypeError, delattr, Exception(), '__cause__')
571 self.assertRaises(TypeError, setattr, Exception(), '__context__', 1)
572 self.assertRaises(TypeError, delattr, Exception(), '__context__')
573
Collin Winter828f04a2007-08-31 00:04:24 +0000574 def testNoneClearsTracebackAttr(self):
575 try:
576 raise IndexError(4)
577 except:
578 tb = sys.exc_info()[2]
579
580 e = Exception()
581 e.__traceback__ = tb
582 e.__traceback__ = None
583 self.assertEqual(e.__traceback__, None)
584
585 def testChainingAttrs(self):
586 e = Exception()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000587 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700588 self.assertIsNone(e.__cause__)
Collin Winter828f04a2007-08-31 00:04:24 +0000589
590 e = TypeError()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000591 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700592 self.assertIsNone(e.__cause__)
Collin Winter828f04a2007-08-31 00:04:24 +0000593
Andrew Svetlov3438fa42012-12-17 23:35:18 +0200594 class MyException(OSError):
Collin Winter828f04a2007-08-31 00:04:24 +0000595 pass
596
597 e = MyException()
Nick Coghlanab7bf212012-02-26 17:49:52 +1000598 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700599 self.assertIsNone(e.__cause__)
Nick Coghlanab7bf212012-02-26 17:49:52 +1000600
601 def testChainingDescriptors(self):
602 try:
603 raise Exception()
604 except Exception as exc:
605 e = exc
606
607 self.assertIsNone(e.__context__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700608 self.assertIsNone(e.__cause__)
609 self.assertFalse(e.__suppress_context__)
Nick Coghlanab7bf212012-02-26 17:49:52 +1000610
611 e.__context__ = NameError()
612 e.__cause__ = None
613 self.assertIsInstance(e.__context__, NameError)
614 self.assertIsNone(e.__cause__)
Benjamin Petersond5a1c442012-05-14 22:09:31 -0700615 self.assertTrue(e.__suppress_context__)
616 e.__suppress_context__ = False
617 self.assertFalse(e.__suppress_context__)
Collin Winter828f04a2007-08-31 00:04:24 +0000618
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000619 def testKeywordArgs(self):
620 # test that builtin exception don't take keyword args,
621 # but user-defined subclasses can if they want
622 self.assertRaises(TypeError, BaseException, a=1)
623
624 class DerivedException(BaseException):
625 def __init__(self, fancy_arg):
626 BaseException.__init__(self)
627 self.fancy_arg = fancy_arg
628
629 x = DerivedException(fancy_arg=42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000630 self.assertEqual(x.fancy_arg, 42)
Thomas Wouters4d70c3d2006-06-08 14:42:34 +0000631
Brett Cannon31f59292011-02-21 19:29:56 +0000632 @no_tracing
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000633 def testInfiniteRecursion(self):
634 def f():
635 return f()
Yury Selivanovf488fb42015-07-03 01:04:23 -0400636 self.assertRaises(RecursionError, f)
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000637
638 def g():
639 try:
640 return g()
641 except ValueError:
642 return -1
Yury Selivanovf488fb42015-07-03 01:04:23 -0400643 self.assertRaises(RecursionError, g)
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000644
Ezio Melotti2f5a78c2009-12-24 22:54:06 +0000645 def test_str(self):
646 # Make sure both instances and classes have a str representation.
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000647 self.assertTrue(str(Exception))
648 self.assertTrue(str(Exception('a')))
Ezio Melotti2f5a78c2009-12-24 22:54:06 +0000649 self.assertTrue(str(Exception('a', 'b')))
Thomas Wouters89f507f2006-12-13 04:49:30 +0000650
Miss Islington (bot)d4a9e342022-01-21 23:34:29 -0800651 def test_exception_cleanup_names(self):
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000652 # Make sure the local variable bound to the exception instance by
653 # an "except" statement is only visible inside the except block.
Guido van Rossumb940e112007-01-10 16:19:56 +0000654 try:
655 raise Exception()
656 except Exception as e:
Miss Islington (bot)d4a9e342022-01-21 23:34:29 -0800657 self.assertIsInstance(e, Exception)
658 self.assertNotIn('e', locals())
659 with self.assertRaises(UnboundLocalError):
660 e
661
662 def test_exception_cleanup_names2(self):
663 # Make sure the cleanup doesn't break if the variable is explicitly deleted.
664 try:
665 raise Exception()
666 except Exception as e:
667 self.assertIsInstance(e, Exception)
Guido van Rossumb940e112007-01-10 16:19:56 +0000668 del e
Ezio Melottib58e0bd2010-01-23 15:40:09 +0000669 self.assertNotIn('e', locals())
Miss Islington (bot)d4a9e342022-01-21 23:34:29 -0800670 with self.assertRaises(UnboundLocalError):
671 e
Guido van Rossumb940e112007-01-10 16:19:56 +0000672
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000673 def testExceptionCleanupState(self):
674 # Make sure exception state is cleaned up as soon as the except
675 # block is left. See #2507
676
677 class MyException(Exception):
678 def __init__(self, obj):
679 self.obj = obj
680 class MyObj:
681 pass
682
683 def inner_raising_func():
684 # Create some references in exception value and traceback
685 local_ref = obj
686 raise MyException(obj)
687
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000688 # Qualified "except" with "as"
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000689 obj = MyObj()
690 wr = weakref.ref(obj)
691 try:
692 inner_raising_func()
693 except MyException as e:
694 pass
695 obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300696 gc_collect() # For PyPy or other GCs.
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000697 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300698 self.assertIsNone(obj)
Barry Warsaw8d109cb2008-05-08 04:26:35 +0000699
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000700 # Qualified "except" without "as"
701 obj = MyObj()
702 wr = weakref.ref(obj)
703 try:
704 inner_raising_func()
705 except MyException:
706 pass
707 obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300708 gc_collect() # For PyPy or other GCs.
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000709 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300710 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000711
712 # Bare "except"
713 obj = MyObj()
714 wr = weakref.ref(obj)
715 try:
716 inner_raising_func()
717 except:
718 pass
719 obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300720 gc_collect() # For PyPy or other GCs.
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000721 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300722 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000723
724 # "except" with premature block leave
725 obj = MyObj()
726 wr = weakref.ref(obj)
727 for i in [0]:
728 try:
729 inner_raising_func()
730 except:
731 break
732 obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300733 gc_collect() # For PyPy or other GCs.
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000734 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300735 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000736
737 # "except" block raising another exception
738 obj = MyObj()
739 wr = weakref.ref(obj)
740 try:
741 try:
742 inner_raising_func()
743 except:
744 raise KeyError
Guido van Rossumb4fb6e42008-06-14 20:20:24 +0000745 except KeyError as e:
746 # We want to test that the except block above got rid of
747 # the exception raised in inner_raising_func(), but it
748 # also ends up in the __context__ of the KeyError, so we
749 # must clear the latter manually for our test to succeed.
750 e.__context__ = None
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000751 obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300752 gc_collect() # For PyPy or other GCs.
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000753 obj = wr()
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800754 # guarantee no ref cycles on CPython (don't gc_collect)
755 if check_impl_detail(cpython=False):
756 gc_collect()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300757 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000758
759 # Some complicated construct
760 obj = MyObj()
761 wr = weakref.ref(obj)
762 try:
763 inner_raising_func()
764 except MyException:
765 try:
766 try:
767 raise
768 finally:
769 raise
770 except MyException:
771 pass
772 obj = None
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800773 if check_impl_detail(cpython=False):
774 gc_collect()
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000775 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300776 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000777
778 # Inside an exception-silencing "with" block
779 class Context:
780 def __enter__(self):
781 return self
782 def __exit__ (self, exc_type, exc_value, exc_tb):
783 return True
784 obj = MyObj()
785 wr = weakref.ref(obj)
786 with Context():
787 inner_raising_func()
788 obj = None
Philip Jenveyb37ac8e2012-11-14 14:37:24 -0800789 if check_impl_detail(cpython=False):
790 gc_collect()
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000791 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300792 self.assertIsNone(obj)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000793
Amaury Forgeot d'Arcba117ef2010-09-10 21:39:53 +0000794 def test_exception_target_in_nested_scope(self):
795 # issue 4617: This used to raise a SyntaxError
796 # "can not delete variable 'e' referenced in nested scope"
797 def print_error():
798 e
799 try:
800 something
801 except Exception as e:
802 print_error()
803 # implicit "del e" here
804
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000805 def test_generator_leaking(self):
806 # Test that generator exception state doesn't leak into the calling
807 # frame
808 def yield_raise():
809 try:
810 raise KeyError("caught")
811 except KeyError:
812 yield sys.exc_info()[0]
813 yield sys.exc_info()[0]
814 yield sys.exc_info()[0]
815 g = yield_raise()
Ezio Melottib3aedd42010-11-20 19:04:17 +0000816 self.assertEqual(next(g), KeyError)
817 self.assertEqual(sys.exc_info()[0], None)
818 self.assertEqual(next(g), KeyError)
819 self.assertEqual(sys.exc_info()[0], None)
820 self.assertEqual(next(g), None)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000821
822 # Same test, but inside an exception handler
823 try:
824 raise TypeError("foo")
825 except TypeError:
826 g = yield_raise()
Ezio Melottib3aedd42010-11-20 19:04:17 +0000827 self.assertEqual(next(g), KeyError)
828 self.assertEqual(sys.exc_info()[0], TypeError)
829 self.assertEqual(next(g), KeyError)
830 self.assertEqual(sys.exc_info()[0], TypeError)
831 self.assertEqual(next(g), TypeError)
Benjamin Petersoneec3d712008-06-11 15:59:43 +0000832 del g
Ezio Melottib3aedd42010-11-20 19:04:17 +0000833 self.assertEqual(sys.exc_info()[0], TypeError)
Thomas Wouters89f507f2006-12-13 04:49:30 +0000834
Benjamin Peterson83195c32011-07-03 13:44:00 -0500835 def test_generator_leaking2(self):
836 # See issue 12475.
837 def g():
838 yield
839 try:
840 raise RuntimeError
841 except RuntimeError:
842 it = g()
843 next(it)
844 try:
845 next(it)
846 except StopIteration:
847 pass
848 self.assertEqual(sys.exc_info(), (None, None, None))
849
Antoine Pitrouc4c19b32015-03-18 22:22:46 +0100850 def test_generator_leaking3(self):
851 # See issue #23353. When gen.throw() is called, the caller's
852 # exception state should be save and restored.
853 def g():
854 try:
855 yield
856 except ZeroDivisionError:
857 yield sys.exc_info()[1]
858 it = g()
859 next(it)
860 try:
861 1/0
862 except ZeroDivisionError as e:
863 self.assertIs(sys.exc_info()[1], e)
864 gen_exc = it.throw(e)
865 self.assertIs(sys.exc_info()[1], e)
866 self.assertIs(gen_exc, e)
867 self.assertEqual(sys.exc_info(), (None, None, None))
868
869 def test_generator_leaking4(self):
870 # See issue #23353. When an exception is raised by a generator,
871 # the caller's exception state should still be restored.
872 def g():
873 try:
874 1/0
875 except ZeroDivisionError:
876 yield sys.exc_info()[0]
877 raise
878 it = g()
879 try:
880 raise TypeError
881 except TypeError:
882 # The caller's exception state (TypeError) is temporarily
883 # saved in the generator.
884 tp = next(it)
885 self.assertIs(tp, ZeroDivisionError)
886 try:
887 next(it)
888 # We can't check it immediately, but while next() returns
889 # with an exception, it shouldn't have restored the old
890 # exception state (TypeError).
891 except ZeroDivisionError as e:
892 self.assertIs(sys.exc_info()[1], e)
893 # We used to find TypeError here.
894 self.assertEqual(sys.exc_info(), (None, None, None))
895
Benjamin Petersonac913412011-07-03 16:25:11 -0500896 def test_generator_doesnt_retain_old_exc(self):
897 def g():
898 self.assertIsInstance(sys.exc_info()[1], RuntimeError)
899 yield
900 self.assertEqual(sys.exc_info(), (None, None, None))
901 it = g()
902 try:
903 raise RuntimeError
904 except RuntimeError:
905 next(it)
906 self.assertRaises(StopIteration, next, it)
907
Benjamin Petersonae5f2f42010-03-07 17:10:51 +0000908 def test_generator_finalizing_and_exc_info(self):
909 # See #7173
910 def simple_gen():
911 yield 1
912 def run_gen():
913 gen = simple_gen()
914 try:
915 raise RuntimeError
916 except RuntimeError:
917 return next(gen)
918 run_gen()
919 gc_collect()
920 self.assertEqual(sys.exc_info(), (None, None, None))
921
Antoine Pitroua370fcf2011-08-20 14:15:03 +0200922 def _check_generator_cleanup_exc_state(self, testfunc):
923 # Issue #12791: exception state is cleaned up as soon as a generator
924 # is closed (reference cycles are broken).
925 class MyException(Exception):
926 def __init__(self, obj):
927 self.obj = obj
928 class MyObj:
929 pass
930
931 def raising_gen():
932 try:
933 raise MyException(obj)
934 except MyException:
935 yield
936
937 obj = MyObj()
938 wr = weakref.ref(obj)
939 g = raising_gen()
940 next(g)
941 testfunc(g)
942 g = obj = None
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300943 gc_collect() # For PyPy or other GCs.
Antoine Pitroua370fcf2011-08-20 14:15:03 +0200944 obj = wr()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +0300945 self.assertIsNone(obj)
Antoine Pitroua370fcf2011-08-20 14:15:03 +0200946
947 def test_generator_throw_cleanup_exc_state(self):
948 def do_throw(g):
949 try:
950 g.throw(RuntimeError())
951 except RuntimeError:
952 pass
953 self._check_generator_cleanup_exc_state(do_throw)
954
955 def test_generator_close_cleanup_exc_state(self):
956 def do_close(g):
957 g.close()
958 self._check_generator_cleanup_exc_state(do_close)
959
960 def test_generator_del_cleanup_exc_state(self):
961 def do_del(g):
962 g = None
963 self._check_generator_cleanup_exc_state(do_del)
964
965 def test_generator_next_cleanup_exc_state(self):
966 def do_next(g):
967 try:
968 next(g)
969 except StopIteration:
970 pass
971 else:
972 self.fail("should have raised StopIteration")
973 self._check_generator_cleanup_exc_state(do_next)
974
975 def test_generator_send_cleanup_exc_state(self):
976 def do_send(g):
977 try:
978 g.send(None)
979 except StopIteration:
980 pass
981 else:
982 self.fail("should have raised StopIteration")
983 self._check_generator_cleanup_exc_state(do_send)
984
Benjamin Peterson27d63672008-06-15 20:09:12 +0000985 def test_3114(self):
986 # Bug #3114: in its destructor, MyObject retrieves a pointer to
987 # obsolete and/or deallocated objects.
Benjamin Peterson979f3112008-06-15 00:05:44 +0000988 class MyObject:
989 def __del__(self):
990 nonlocal e
991 e = sys.exc_info()
992 e = ()
993 try:
994 raise Exception(MyObject())
995 except:
996 pass
Serhiy Storchaka462c1f02021-09-08 18:08:57 +0300997 gc_collect() # For PyPy or other GCs.
Ezio Melottib3aedd42010-11-20 19:04:17 +0000998 self.assertEqual(e, (None, None, None))
Benjamin Peterson979f3112008-06-15 00:05:44 +0000999
Miss Islington (bot)d86bbe32021-08-10 06:47:23 -07001000 def test_raise_does_not_create_context_chain_cycle(self):
1001 class A(Exception):
1002 pass
1003 class B(Exception):
1004 pass
1005 class C(Exception):
1006 pass
1007
1008 # Create a context chain:
1009 # C -> B -> A
1010 # Then raise A in context of C.
1011 try:
1012 try:
1013 raise A
1014 except A as a_:
1015 a = a_
1016 try:
1017 raise B
1018 except B as b_:
1019 b = b_
1020 try:
1021 raise C
1022 except C as c_:
1023 c = c_
1024 self.assertIsInstance(a, A)
1025 self.assertIsInstance(b, B)
1026 self.assertIsInstance(c, C)
1027 self.assertIsNone(a.__context__)
1028 self.assertIs(b.__context__, a)
1029 self.assertIs(c.__context__, b)
1030 raise a
1031 except A as e:
1032 exc = e
1033
1034 # Expect A -> C -> B, without cycle
1035 self.assertIs(exc, a)
1036 self.assertIs(a.__context__, c)
1037 self.assertIs(c.__context__, b)
1038 self.assertIsNone(b.__context__)
1039
1040 def test_no_hang_on_context_chain_cycle1(self):
1041 # See issue 25782. Cycle in context chain.
1042
1043 def cycle():
1044 try:
1045 raise ValueError(1)
1046 except ValueError as ex:
1047 ex.__context__ = ex
1048 raise TypeError(2)
1049
1050 try:
1051 cycle()
1052 except Exception as e:
1053 exc = e
1054
1055 self.assertIsInstance(exc, TypeError)
1056 self.assertIsInstance(exc.__context__, ValueError)
1057 self.assertIs(exc.__context__.__context__, exc.__context__)
1058
Miss Islington (bot)19604092021-08-16 02:01:14 -07001059 @unittest.skip("See issue 44895")
Miss Islington (bot)d86bbe32021-08-10 06:47:23 -07001060 def test_no_hang_on_context_chain_cycle2(self):
1061 # See issue 25782. Cycle at head of context chain.
1062
1063 class A(Exception):
1064 pass
1065 class B(Exception):
1066 pass
1067 class C(Exception):
1068 pass
1069
1070 # Context cycle:
1071 # +-----------+
1072 # V |
1073 # C --> B --> A
1074 with self.assertRaises(C) as cm:
1075 try:
1076 raise A()
1077 except A as _a:
1078 a = _a
1079 try:
1080 raise B()
1081 except B as _b:
1082 b = _b
1083 try:
1084 raise C()
1085 except C as _c:
1086 c = _c
1087 a.__context__ = c
1088 raise c
1089
1090 self.assertIs(cm.exception, c)
1091 # Verify the expected context chain cycle
1092 self.assertIs(c.__context__, b)
1093 self.assertIs(b.__context__, a)
1094 self.assertIs(a.__context__, c)
1095
1096 def test_no_hang_on_context_chain_cycle3(self):
1097 # See issue 25782. Longer context chain with cycle.
1098
1099 class A(Exception):
1100 pass
1101 class B(Exception):
1102 pass
1103 class C(Exception):
1104 pass
1105 class D(Exception):
1106 pass
1107 class E(Exception):
1108 pass
1109
1110 # Context cycle:
1111 # +-----------+
1112 # V |
1113 # E --> D --> C --> B --> A
1114 with self.assertRaises(E) as cm:
1115 try:
1116 raise A()
1117 except A as _a:
1118 a = _a
1119 try:
1120 raise B()
1121 except B as _b:
1122 b = _b
1123 try:
1124 raise C()
1125 except C as _c:
1126 c = _c
1127 a.__context__ = c
1128 try:
1129 raise D()
1130 except D as _d:
1131 d = _d
1132 e = E()
1133 raise e
1134
1135 self.assertIs(cm.exception, e)
1136 # Verify the expected context chain cycle
1137 self.assertIs(e.__context__, d)
1138 self.assertIs(d.__context__, c)
1139 self.assertIs(c.__context__, b)
1140 self.assertIs(b.__context__, a)
1141 self.assertIs(a.__context__, c)
1142
Benjamin Peterson24dfb052014-04-02 12:05:35 -04001143 def test_unicode_change_attributes(self):
Eric Smith0facd772010-02-24 15:42:29 +00001144 # See issue 7309. This was a crasher.
1145
1146 u = UnicodeEncodeError('baz', 'xxxxx', 1, 5, 'foo')
1147 self.assertEqual(str(u), "'baz' codec can't encode characters in position 1-4: foo")
1148 u.end = 2
1149 self.assertEqual(str(u), "'baz' codec can't encode character '\\x78' in position 1: foo")
1150 u.end = 5
1151 u.reason = 0x345345345345345345
1152 self.assertEqual(str(u), "'baz' codec can't encode characters in position 1-4: 965230951443685724997")
1153 u.encoding = 4000
1154 self.assertEqual(str(u), "'4000' codec can't encode characters in position 1-4: 965230951443685724997")
1155 u.start = 1000
1156 self.assertEqual(str(u), "'4000' codec can't encode characters in position 1000-4: 965230951443685724997")
1157
1158 u = UnicodeDecodeError('baz', b'xxxxx', 1, 5, 'foo')
1159 self.assertEqual(str(u), "'baz' codec can't decode bytes in position 1-4: foo")
1160 u.end = 2
1161 self.assertEqual(str(u), "'baz' codec can't decode byte 0x78 in position 1: foo")
1162 u.end = 5
1163 u.reason = 0x345345345345345345
1164 self.assertEqual(str(u), "'baz' codec can't decode bytes in position 1-4: 965230951443685724997")
1165 u.encoding = 4000
1166 self.assertEqual(str(u), "'4000' codec can't decode bytes in position 1-4: 965230951443685724997")
1167 u.start = 1000
1168 self.assertEqual(str(u), "'4000' codec can't decode bytes in position 1000-4: 965230951443685724997")
1169
1170 u = UnicodeTranslateError('xxxx', 1, 5, 'foo')
1171 self.assertEqual(str(u), "can't translate characters in position 1-4: foo")
1172 u.end = 2
1173 self.assertEqual(str(u), "can't translate character '\\x78' in position 1: foo")
1174 u.end = 5
1175 u.reason = 0x345345345345345345
1176 self.assertEqual(str(u), "can't translate characters in position 1-4: 965230951443685724997")
1177 u.start = 1000
1178 self.assertEqual(str(u), "can't translate characters in position 1000-4: 965230951443685724997")
Benjamin Peterson6e7740c2008-08-20 23:23:34 +00001179
Benjamin Peterson9b09ba12014-04-02 12:15:06 -04001180 def test_unicode_errors_no_object(self):
1181 # See issue #21134.
Benjamin Petersone3311212014-04-02 15:51:38 -04001182 klasses = UnicodeEncodeError, UnicodeDecodeError, UnicodeTranslateError
Benjamin Peterson9b09ba12014-04-02 12:15:06 -04001183 for klass in klasses:
1184 self.assertEqual(str(klass.__new__(klass)), "")
1185
Brett Cannon31f59292011-02-21 19:29:56 +00001186 @no_tracing
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001187 def test_badisinstance(self):
1188 # Bug #2542: if issubclass(e, MyException) raises an exception,
1189 # it should be ignored
1190 class Meta(type):
1191 def __subclasscheck__(cls, subclass):
1192 raise ValueError()
1193 class MyException(Exception, metaclass=Meta):
1194 pass
1195
Martin Panter3263f682016-02-28 03:16:11 +00001196 with captured_stderr() as stderr:
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001197 try:
1198 raise KeyError()
1199 except MyException as e:
1200 self.fail("exception should not be a MyException")
1201 except KeyError:
1202 pass
1203 except:
Antoine Pitrouec569b72008-08-26 22:40:48 +00001204 self.fail("Should have raised KeyError")
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001205 else:
Antoine Pitrouec569b72008-08-26 22:40:48 +00001206 self.fail("Should have raised KeyError")
1207
1208 def g():
1209 try:
1210 return g()
Yury Selivanovf488fb42015-07-03 01:04:23 -04001211 except RecursionError:
Antoine Pitrouec569b72008-08-26 22:40:48 +00001212 return sys.exc_info()
1213 e, v, tb = g()
Serhiy Storchakaf15c4d32017-03-30 18:05:08 +03001214 self.assertIsInstance(v, RecursionError, type(v))
Benjamin Peterson577473f2010-01-19 00:09:57 +00001215 self.assertIn("maximum recursion depth exceeded", str(v))
Benjamin Peterson69c88f72008-07-31 01:47:08 +00001216
Miss Islington (bot)d6d2d542021-08-11 01:32:44 -07001217
1218 @cpython_only
Benjamin Petersonef36dfe2021-08-13 02:45:13 -07001219 def test_trashcan_recursion(self):
Miss Islington (bot)d6d2d542021-08-11 01:32:44 -07001220 # See bpo-33930
1221
1222 def foo():
1223 o = object()
1224 for x in range(1_000_000):
1225 # Create a big chain of method objects that will trigger
1226 # a deep chain of calls when they need to be destructed.
1227 o = o.__dir__
1228
1229 foo()
1230 support.gc_collect()
1231
xdegaye56d1f5c2017-10-26 15:09:06 +02001232 @cpython_only
1233 def test_recursion_normalizing_exception(self):
1234 # Issue #22898.
1235 # Test that a RecursionError is raised when tstate->recursion_depth is
1236 # equal to recursion_limit in PyErr_NormalizeException() and check
1237 # that a ResourceWarning is printed.
1238 # Prior to #22898, the recursivity of PyErr_NormalizeException() was
luzpaza5293b42017-11-05 07:37:50 -06001239 # controlled by tstate->recursion_depth and a PyExc_RecursionErrorInst
xdegaye56d1f5c2017-10-26 15:09:06 +02001240 # singleton was being used in that case, that held traceback data and
1241 # locals indefinitely and would cause a segfault in _PyExc_Fini() upon
1242 # finalization of these locals.
1243 code = """if 1:
1244 import sys
Victor Stinner3f2f4fe2020-03-13 13:07:31 +01001245 from _testinternalcapi import get_recursion_depth
xdegaye56d1f5c2017-10-26 15:09:06 +02001246
1247 class MyException(Exception): pass
1248
1249 def setrecursionlimit(depth):
1250 while 1:
1251 try:
1252 sys.setrecursionlimit(depth)
1253 return depth
1254 except RecursionError:
1255 # sys.setrecursionlimit() raises a RecursionError if
1256 # the new recursion limit is too low (issue #25274).
1257 depth += 1
1258
1259 def recurse(cnt):
1260 cnt -= 1
1261 if cnt:
1262 recurse(cnt)
1263 else:
1264 generator.throw(MyException)
1265
1266 def gen():
1267 f = open(%a, mode='rb', buffering=0)
1268 yield
1269
1270 generator = gen()
1271 next(generator)
1272 recursionlimit = sys.getrecursionlimit()
1273 depth = get_recursion_depth()
1274 try:
1275 # Upon the last recursive invocation of recurse(),
1276 # tstate->recursion_depth is equal to (recursion_limit - 1)
1277 # and is equal to recursion_limit when _gen_throw() calls
1278 # PyErr_NormalizeException().
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001279 recurse(setrecursionlimit(depth + 2) - depth)
xdegaye56d1f5c2017-10-26 15:09:06 +02001280 finally:
1281 sys.setrecursionlimit(recursionlimit)
1282 print('Done.')
1283 """ % __file__
1284 rc, out, err = script_helper.assert_python_failure("-Wd", "-c", code)
1285 # Check that the program does not fail with SIGABRT.
1286 self.assertEqual(rc, 1)
1287 self.assertIn(b'RecursionError', err)
1288 self.assertIn(b'ResourceWarning', err)
1289 self.assertIn(b'Done.', out)
1290
1291 @cpython_only
1292 def test_recursion_normalizing_infinite_exception(self):
1293 # Issue #30697. Test that a RecursionError is raised when
1294 # PyErr_NormalizeException() maximum recursion depth has been
1295 # exceeded.
1296 code = """if 1:
1297 import _testcapi
1298 try:
1299 raise _testcapi.RecursingInfinitelyError
1300 finally:
1301 print('Done.')
1302 """
1303 rc, out, err = script_helper.assert_python_failure("-c", code)
1304 self.assertEqual(rc, 1)
1305 self.assertIn(b'RecursionError: maximum recursion depth exceeded '
1306 b'while normalizing an exception', err)
1307 self.assertIn(b'Done.', out)
1308
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001309
1310 def test_recursion_in_except_handler(self):
1311
1312 def set_relative_recursion_limit(n):
1313 depth = 1
1314 while True:
1315 try:
1316 sys.setrecursionlimit(depth)
1317 except RecursionError:
1318 depth += 1
1319 else:
1320 break
1321 sys.setrecursionlimit(depth+n)
1322
1323 def recurse_in_except():
1324 try:
1325 1/0
1326 except:
1327 recurse_in_except()
1328
1329 def recurse_after_except():
1330 try:
1331 1/0
1332 except:
1333 pass
1334 recurse_after_except()
1335
1336 def recurse_in_body_and_except():
1337 try:
1338 recurse_in_body_and_except()
1339 except:
1340 recurse_in_body_and_except()
1341
1342 recursionlimit = sys.getrecursionlimit()
1343 try:
1344 set_relative_recursion_limit(10)
1345 for func in (recurse_in_except, recurse_after_except, recurse_in_body_and_except):
1346 with self.subTest(func=func):
1347 try:
1348 func()
1349 except RecursionError:
1350 pass
1351 else:
1352 self.fail("Should have raised a RecursionError")
1353 finally:
1354 sys.setrecursionlimit(recursionlimit)
1355
1356
xdegaye56d1f5c2017-10-26 15:09:06 +02001357 @cpython_only
1358 def test_recursion_normalizing_with_no_memory(self):
1359 # Issue #30697. Test that in the abort that occurs when there is no
1360 # memory left and the size of the Python frames stack is greater than
1361 # the size of the list of preallocated MemoryError instances, the
1362 # Fatal Python error message mentions MemoryError.
1363 code = """if 1:
1364 import _testcapi
1365 class C(): pass
1366 def recurse(cnt):
1367 cnt -= 1
1368 if cnt:
1369 recurse(cnt)
1370 else:
1371 _testcapi.set_nomemory(0)
1372 C()
1373 recurse(16)
1374 """
1375 with SuppressCrashReport():
1376 rc, out, err = script_helper.assert_python_failure("-c", code)
Victor Stinner9e5d30c2020-03-07 00:54:20 +01001377 self.assertIn(b'Fatal Python error: _PyErr_NormalizeException: '
1378 b'Cannot recover from MemoryErrors while '
1379 b'normalizing exceptions.', err)
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001380
Serhiy Storchaka5cfc79d2014-02-07 10:06:39 +02001381 @cpython_only
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001382 def test_MemoryError(self):
1383 # PyErr_NoMemory always raises the same exception instance.
1384 # Check that the traceback is not doubled.
1385 import traceback
Benjamin Peterson0067bd62008-08-16 16:11:03 +00001386 from _testcapi import raise_memoryerror
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001387 def raiseMemError():
1388 try:
Benjamin Peterson0067bd62008-08-16 16:11:03 +00001389 raise_memoryerror()
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001390 except MemoryError as e:
1391 tb = e.__traceback__
1392 else:
Mark Shannon4e7a69b2020-12-02 13:30:55 +00001393 self.fail("Should have raised a MemoryError")
Amaury Forgeot d'Arce19cadb2008-07-31 22:56:02 +00001394 return traceback.format_tb(tb)
1395
1396 tb1 = raiseMemError()
1397 tb2 = raiseMemError()
1398 self.assertEqual(tb1, tb2)
1399
Benjamin Peterson17e0bbc2010-06-28 15:39:55 +00001400 @cpython_only
Georg Brandl1e28a272009-12-28 08:41:01 +00001401 def test_exception_with_doc(self):
1402 import _testcapi
1403 doc2 = "This is a test docstring."
1404 doc4 = "This is another test docstring."
1405
1406 self.assertRaises(SystemError, _testcapi.make_exception_with_doc,
1407 "error1")
1408
1409 # test basic usage of PyErr_NewException
1410 error1 = _testcapi.make_exception_with_doc("_testcapi.error1")
1411 self.assertIs(type(error1), type)
1412 self.assertTrue(issubclass(error1, Exception))
1413 self.assertIsNone(error1.__doc__)
1414
1415 # test with given docstring
1416 error2 = _testcapi.make_exception_with_doc("_testcapi.error2", doc2)
1417 self.assertEqual(error2.__doc__, doc2)
1418
1419 # test with explicit base (without docstring)
1420 error3 = _testcapi.make_exception_with_doc("_testcapi.error3",
1421 base=error2)
1422 self.assertTrue(issubclass(error3, error2))
1423
1424 # test with explicit base tuple
1425 class C(object):
1426 pass
1427 error4 = _testcapi.make_exception_with_doc("_testcapi.error4", doc4,
1428 (error3, C))
1429 self.assertTrue(issubclass(error4, error3))
1430 self.assertTrue(issubclass(error4, C))
1431 self.assertEqual(error4.__doc__, doc4)
1432
1433 # test with explicit dictionary
1434 error5 = _testcapi.make_exception_with_doc("_testcapi.error5", "",
1435 error4, {'a': 1})
1436 self.assertTrue(issubclass(error5, error4))
1437 self.assertEqual(error5.a, 1)
1438 self.assertEqual(error5.__doc__, "")
1439
Serhiy Storchaka5cfc79d2014-02-07 10:06:39 +02001440 @cpython_only
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001441 def test_memory_error_cleanup(self):
1442 # Issue #5437: preallocated MemoryError instances should not keep
1443 # traceback objects alive.
1444 from _testcapi import raise_memoryerror
1445 class C:
1446 pass
1447 wr = None
1448 def inner():
1449 nonlocal wr
1450 c = C()
1451 wr = weakref.ref(c)
1452 raise_memoryerror()
1453 # We cannot use assertRaises since it manually deletes the traceback
1454 try:
1455 inner()
1456 except MemoryError as e:
1457 self.assertNotEqual(wr(), None)
1458 else:
1459 self.fail("MemoryError not raised")
Serhiy Storchaka462c1f02021-09-08 18:08:57 +03001460 gc_collect() # For PyPy or other GCs.
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001461 self.assertEqual(wr(), None)
1462
Brett Cannon31f59292011-02-21 19:29:56 +00001463 @no_tracing
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001464 def test_recursion_error_cleanup(self):
1465 # Same test as above, but with "recursion exceeded" errors
1466 class C:
1467 pass
1468 wr = None
1469 def inner():
1470 nonlocal wr
1471 c = C()
1472 wr = weakref.ref(c)
1473 inner()
1474 # We cannot use assertRaises since it manually deletes the traceback
1475 try:
1476 inner()
Yury Selivanovf488fb42015-07-03 01:04:23 -04001477 except RecursionError as e:
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001478 self.assertNotEqual(wr(), None)
1479 else:
Yury Selivanovf488fb42015-07-03 01:04:23 -04001480 self.fail("RecursionError not raised")
Serhiy Storchaka462c1f02021-09-08 18:08:57 +03001481 gc_collect() # For PyPy or other GCs.
Antoine Pitrou07e20ef2010-10-28 22:56:58 +00001482 self.assertEqual(wr(), None)
Georg Brandl1e28a272009-12-28 08:41:01 +00001483
Antoine Pitroua7622852011-09-01 21:37:43 +02001484 def test_errno_ENOTDIR(self):
1485 # Issue #12802: "not a directory" errors are ENOTDIR even on Windows
1486 with self.assertRaises(OSError) as cm:
1487 os.listdir(__file__)
1488 self.assertEqual(cm.exception.errno, errno.ENOTDIR, cm.exception)
1489
Martin Panter3263f682016-02-28 03:16:11 +00001490 def test_unraisable(self):
1491 # Issue #22836: PyErr_WriteUnraisable() should give sensible reports
1492 class BrokenDel:
1493 def __del__(self):
1494 exc = ValueError("del is broken")
1495 # The following line is included in the traceback report:
1496 raise exc
1497
Victor Stinnere4d300e2019-05-22 23:44:02 +02001498 obj = BrokenDel()
1499 with support.catch_unraisable_exception() as cm:
1500 del obj
Martin Panter3263f682016-02-28 03:16:11 +00001501
Serhiy Storchaka462c1f02021-09-08 18:08:57 +03001502 gc_collect() # For PyPy or other GCs.
Victor Stinnere4d300e2019-05-22 23:44:02 +02001503 self.assertEqual(cm.unraisable.object, BrokenDel.__del__)
1504 self.assertIsNotNone(cm.unraisable.exc_traceback)
Martin Panter3263f682016-02-28 03:16:11 +00001505
1506 def test_unhandled(self):
1507 # Check for sensible reporting of unhandled exceptions
1508 for exc_type in (ValueError, BrokenStrException):
1509 with self.subTest(exc_type):
1510 try:
1511 exc = exc_type("test message")
1512 # The following line is included in the traceback report:
1513 raise exc
1514 except exc_type:
1515 with captured_stderr() as stderr:
1516 sys.__excepthook__(*sys.exc_info())
1517 report = stderr.getvalue()
1518 self.assertIn("test_exceptions.py", report)
1519 self.assertIn("raise exc", report)
1520 self.assertIn(exc_type.__name__, report)
1521 if exc_type is BrokenStrException:
1522 self.assertIn("<exception str() failed>", report)
1523 else:
1524 self.assertIn("test message", report)
1525 self.assertTrue(report.endswith("\n"))
1526
xdegaye66caacf2017-10-23 18:08:41 +02001527 @cpython_only
1528 def test_memory_error_in_PyErr_PrintEx(self):
1529 code = """if 1:
1530 import _testcapi
1531 class C(): pass
1532 _testcapi.set_nomemory(0, %d)
1533 C()
1534 """
1535
1536 # Issue #30817: Abort in PyErr_PrintEx() when no memory.
1537 # Span a large range of tests as the CPython code always evolves with
1538 # changes that add or remove memory allocations.
1539 for i in range(1, 20):
1540 rc, out, err = script_helper.assert_python_failure("-c", code % i)
1541 self.assertIn(rc, (1, 120))
1542 self.assertIn(b'MemoryError', err)
1543
Mark Shannonae3087c2017-10-22 22:41:51 +01001544 def test_yield_in_nested_try_excepts(self):
1545 #Issue #25612
1546 class MainError(Exception):
1547 pass
1548
1549 class SubError(Exception):
1550 pass
1551
1552 def main():
1553 try:
1554 raise MainError()
1555 except MainError:
1556 try:
1557 yield
1558 except SubError:
1559 pass
1560 raise
1561
1562 coro = main()
1563 coro.send(None)
1564 with self.assertRaises(MainError):
1565 coro.throw(SubError())
1566
1567 def test_generator_doesnt_retain_old_exc2(self):
1568 #Issue 28884#msg282532
1569 def g():
1570 try:
1571 raise ValueError
1572 except ValueError:
1573 yield 1
1574 self.assertEqual(sys.exc_info(), (None, None, None))
1575 yield 2
1576
1577 gen = g()
1578
1579 try:
1580 raise IndexError
1581 except IndexError:
1582 self.assertEqual(next(gen), 1)
1583 self.assertEqual(next(gen), 2)
1584
1585 def test_raise_in_generator(self):
1586 #Issue 25612#msg304117
1587 def g():
1588 yield 1
1589 raise
1590 yield 2
1591
1592 with self.assertRaises(ZeroDivisionError):
1593 i = g()
1594 try:
1595 1/0
1596 except:
1597 next(i)
1598 next(i)
1599
Zackery Spytzce6a0702019-08-25 03:44:09 -06001600 @unittest.skipUnless(__debug__, "Won't work if __debug__ is False")
1601 def test_assert_shadowing(self):
1602 # Shadowing AssertionError would cause the assert statement to
1603 # misbehave.
1604 global AssertionError
1605 AssertionError = TypeError
1606 try:
1607 assert False, 'hello'
1608 except BaseException as e:
1609 del AssertionError
1610 self.assertIsInstance(e, AssertionError)
1611 self.assertEqual(str(e), 'hello')
1612 else:
1613 del AssertionError
1614 self.fail('Expected exception')
1615
Pablo Galindo9b648a92020-09-01 19:39:46 +01001616 def test_memory_error_subclasses(self):
1617 # bpo-41654: MemoryError instances use a freelist of objects that are
1618 # linked using the 'dict' attribute when they are inactive/dead.
1619 # Subclasses of MemoryError should not participate in the freelist
1620 # schema. This test creates a MemoryError object and keeps it alive
1621 # (therefore advancing the freelist) and then it creates and destroys a
1622 # subclass object. Finally, it checks that creating a new MemoryError
1623 # succeeds, proving that the freelist is not corrupted.
1624
1625 class TestException(MemoryError):
1626 pass
1627
1628 try:
1629 raise MemoryError
1630 except MemoryError as exc:
1631 inst = exc
1632
1633 try:
1634 raise TestException
1635 except Exception:
1636 pass
1637
1638 for _ in range(10):
1639 try:
1640 raise MemoryError
1641 except MemoryError as exc:
1642 pass
1643
1644 gc_collect()
1645
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001646global_for_suggestions = None
1647
1648class NameErrorTests(unittest.TestCase):
1649 def test_name_error_has_name(self):
1650 try:
1651 bluch
1652 except NameError as exc:
1653 self.assertEqual("bluch", exc.name)
1654
1655 def test_name_error_suggestions(self):
1656 def Substitution():
1657 noise = more_noise = a = bc = None
1658 blech = None
1659 print(bluch)
1660
1661 def Elimination():
1662 noise = more_noise = a = bc = None
1663 blch = None
1664 print(bluch)
1665
1666 def Addition():
1667 noise = more_noise = a = bc = None
1668 bluchin = None
1669 print(bluch)
1670
1671 def SubstitutionOverElimination():
1672 blach = None
1673 bluc = None
1674 print(bluch)
1675
1676 def SubstitutionOverAddition():
1677 blach = None
1678 bluchi = None
1679 print(bluch)
1680
1681 def EliminationOverAddition():
1682 blucha = None
1683 bluc = None
1684 print(bluch)
1685
Pablo Galindo7a041162021-04-19 23:35:53 +01001686 for func, suggestion in [(Substitution, "'blech'?"),
1687 (Elimination, "'blch'?"),
1688 (Addition, "'bluchin'?"),
1689 (EliminationOverAddition, "'blucha'?"),
1690 (SubstitutionOverElimination, "'blach'?"),
1691 (SubstitutionOverAddition, "'blach'?")]:
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001692 err = None
1693 try:
1694 func()
1695 except NameError as exc:
1696 with support.captured_stderr() as err:
1697 sys.__excepthook__(*sys.exc_info())
1698 self.assertIn(suggestion, err.getvalue())
1699
1700 def test_name_error_suggestions_from_globals(self):
1701 def func():
1702 print(global_for_suggestio)
1703 try:
1704 func()
1705 except NameError as exc:
1706 with support.captured_stderr() as err:
1707 sys.__excepthook__(*sys.exc_info())
Pablo Galindo7a041162021-04-19 23:35:53 +01001708 self.assertIn("'global_for_suggestions'?", err.getvalue())
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001709
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001710 def test_name_error_suggestions_from_builtins(self):
1711 def func():
Dennis Sweeney80a2a4e2021-05-03 11:47:27 -04001712 print(ZeroDivisionErrrrr)
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001713 try:
1714 func()
1715 except NameError as exc:
1716 with support.captured_stderr() as err:
1717 sys.__excepthook__(*sys.exc_info())
Dennis Sweeney80a2a4e2021-05-03 11:47:27 -04001718 self.assertIn("'ZeroDivisionError'?", err.getvalue())
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001719
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001720 def test_name_error_suggestions_do_not_trigger_for_long_names(self):
1721 def f():
1722 somethingverywronghehehehehehe = None
1723 print(somethingverywronghe)
1724
1725 try:
1726 f()
1727 except NameError as exc:
1728 with support.captured_stderr() as err:
1729 sys.__excepthook__(*sys.exc_info())
1730
1731 self.assertNotIn("somethingverywronghehe", err.getvalue())
1732
Dennis Sweeney284c52d2021-04-26 20:22:27 -04001733 def test_name_error_bad_suggestions_do_not_trigger_for_small_names(self):
1734 vvv = mom = w = id = pytho = None
1735
1736 with self.subTest(name="b"):
1737 try:
1738 b
1739 except NameError 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="v"):
1750 try:
1751 v
1752 except NameError 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="m"):
1763 try:
1764 m
1765 except NameError 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 with self.subTest(name="py"):
1776 try:
1777 py
1778 except NameError as exc:
1779 with support.captured_stderr() as err:
1780 sys.__excepthook__(*sys.exc_info())
1781 self.assertNotIn("you mean", err.getvalue())
1782 self.assertNotIn("vvv", err.getvalue())
1783 self.assertNotIn("mom", err.getvalue())
1784 self.assertNotIn("'id'", err.getvalue())
1785 self.assertNotIn("'w'", err.getvalue())
1786 self.assertNotIn("'pytho'", err.getvalue())
1787
Pablo Galindo3ab4bea2021-04-17 22:26:54 +01001788 def test_name_error_suggestions_do_not_trigger_for_too_many_locals(self):
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001789 def f():
1790 # Mutating locals() is unreliable, so we need to do it by hand
Dennis Sweeney80a2a4e2021-05-03 11:47:27 -04001791 a1 = a2 = a3 = a4 = a5 = a6 = a7 = a8 = a9 = a10 = \
1792 a11 = a12 = a13 = a14 = a15 = a16 = a17 = a18 = a19 = a20 = \
1793 a21 = a22 = a23 = a24 = a25 = a26 = a27 = a28 = a29 = a30 = \
1794 a31 = a32 = a33 = a34 = a35 = a36 = a37 = a38 = a39 = a40 = \
1795 a41 = a42 = a43 = a44 = a45 = a46 = a47 = a48 = a49 = a50 = \
1796 a51 = a52 = a53 = a54 = a55 = a56 = a57 = a58 = a59 = a60 = \
1797 a61 = a62 = a63 = a64 = a65 = a66 = a67 = a68 = a69 = a70 = \
1798 a71 = a72 = a73 = a74 = a75 = a76 = a77 = a78 = a79 = a80 = \
1799 a81 = a82 = a83 = a84 = a85 = a86 = a87 = a88 = a89 = a90 = \
1800 a91 = a92 = a93 = a94 = a95 = a96 = a97 = a98 = a99 = a100 = \
1801 a101 = a102 = a103 = a104 = a105 = a106 = a107 = a108 = a109 = a110 = \
1802 a111 = a112 = a113 = a114 = a115 = a116 = a117 = a118 = a119 = a120 = \
1803 a121 = a122 = a123 = a124 = a125 = a126 = a127 = a128 = a129 = a130 = \
1804 a131 = a132 = a133 = a134 = a135 = a136 = a137 = a138 = a139 = a140 = \
1805 a141 = a142 = a143 = a144 = a145 = a146 = a147 = a148 = a149 = a150 = \
1806 a151 = a152 = a153 = a154 = a155 = a156 = a157 = a158 = a159 = a160 = \
1807 a161 = a162 = a163 = a164 = a165 = a166 = a167 = a168 = a169 = a170 = \
1808 a171 = a172 = a173 = a174 = a175 = a176 = a177 = a178 = a179 = a180 = \
1809 a181 = a182 = a183 = a184 = a185 = a186 = a187 = a188 = a189 = a190 = \
1810 a191 = a192 = a193 = a194 = a195 = a196 = a197 = a198 = a199 = a200 = \
1811 a201 = a202 = a203 = a204 = a205 = a206 = a207 = a208 = a209 = a210 = \
1812 a211 = a212 = a213 = a214 = a215 = a216 = a217 = a218 = a219 = a220 = \
1813 a221 = a222 = a223 = a224 = a225 = a226 = a227 = a228 = a229 = a230 = \
1814 a231 = a232 = a233 = a234 = a235 = a236 = a237 = a238 = a239 = a240 = \
1815 a241 = a242 = a243 = a244 = a245 = a246 = a247 = a248 = a249 = a250 = \
1816 a251 = a252 = a253 = a254 = a255 = a256 = a257 = a258 = a259 = a260 = \
1817 a261 = a262 = a263 = a264 = a265 = a266 = a267 = a268 = a269 = a270 = \
1818 a271 = a272 = a273 = a274 = a275 = a276 = a277 = a278 = a279 = a280 = \
1819 a281 = a282 = a283 = a284 = a285 = a286 = a287 = a288 = a289 = a290 = \
1820 a291 = a292 = a293 = a294 = a295 = a296 = a297 = a298 = a299 = a300 = \
1821 a301 = a302 = a303 = a304 = a305 = a306 = a307 = a308 = a309 = a310 = \
1822 a311 = a312 = a313 = a314 = a315 = a316 = a317 = a318 = a319 = a320 = \
1823 a321 = a322 = a323 = a324 = a325 = a326 = a327 = a328 = a329 = a330 = \
1824 a331 = a332 = a333 = a334 = a335 = a336 = a337 = a338 = a339 = a340 = \
1825 a341 = a342 = a343 = a344 = a345 = a346 = a347 = a348 = a349 = a350 = \
1826 a351 = a352 = a353 = a354 = a355 = a356 = a357 = a358 = a359 = a360 = \
1827 a361 = a362 = a363 = a364 = a365 = a366 = a367 = a368 = a369 = a370 = \
1828 a371 = a372 = a373 = a374 = a375 = a376 = a377 = a378 = a379 = a380 = \
1829 a381 = a382 = a383 = a384 = a385 = a386 = a387 = a388 = a389 = a390 = \
1830 a391 = a392 = a393 = a394 = a395 = a396 = a397 = a398 = a399 = a400 = \
1831 a401 = a402 = a403 = a404 = a405 = a406 = a407 = a408 = a409 = a410 = \
1832 a411 = a412 = a413 = a414 = a415 = a416 = a417 = a418 = a419 = a420 = \
1833 a421 = a422 = a423 = a424 = a425 = a426 = a427 = a428 = a429 = a430 = \
1834 a431 = a432 = a433 = a434 = a435 = a436 = a437 = a438 = a439 = a440 = \
1835 a441 = a442 = a443 = a444 = a445 = a446 = a447 = a448 = a449 = a450 = \
1836 a451 = a452 = a453 = a454 = a455 = a456 = a457 = a458 = a459 = a460 = \
1837 a461 = a462 = a463 = a464 = a465 = a466 = a467 = a468 = a469 = a470 = \
1838 a471 = a472 = a473 = a474 = a475 = a476 = a477 = a478 = a479 = a480 = \
1839 a481 = a482 = a483 = a484 = a485 = a486 = a487 = a488 = a489 = a490 = \
1840 a491 = a492 = a493 = a494 = a495 = a496 = a497 = a498 = a499 = a500 = \
1841 a501 = a502 = a503 = a504 = a505 = a506 = a507 = a508 = a509 = a510 = \
1842 a511 = a512 = a513 = a514 = a515 = a516 = a517 = a518 = a519 = a520 = \
1843 a521 = a522 = a523 = a524 = a525 = a526 = a527 = a528 = a529 = a530 = \
1844 a531 = a532 = a533 = a534 = a535 = a536 = a537 = a538 = a539 = a540 = \
1845 a541 = a542 = a543 = a544 = a545 = a546 = a547 = a548 = a549 = a550 = \
1846 a551 = a552 = a553 = a554 = a555 = a556 = a557 = a558 = a559 = a560 = \
1847 a561 = a562 = a563 = a564 = a565 = a566 = a567 = a568 = a569 = a570 = \
1848 a571 = a572 = a573 = a574 = a575 = a576 = a577 = a578 = a579 = a580 = \
1849 a581 = a582 = a583 = a584 = a585 = a586 = a587 = a588 = a589 = a590 = \
1850 a591 = a592 = a593 = a594 = a595 = a596 = a597 = a598 = a599 = a600 = \
1851 a601 = a602 = a603 = a604 = a605 = a606 = a607 = a608 = a609 = a610 = \
1852 a611 = a612 = a613 = a614 = a615 = a616 = a617 = a618 = a619 = a620 = \
1853 a621 = a622 = a623 = a624 = a625 = a626 = a627 = a628 = a629 = a630 = \
1854 a631 = a632 = a633 = a634 = a635 = a636 = a637 = a638 = a639 = a640 = \
1855 a641 = a642 = a643 = a644 = a645 = a646 = a647 = a648 = a649 = a650 = \
1856 a651 = a652 = a653 = a654 = a655 = a656 = a657 = a658 = a659 = a660 = \
1857 a661 = a662 = a663 = a664 = a665 = a666 = a667 = a668 = a669 = a670 = \
1858 a671 = a672 = a673 = a674 = a675 = a676 = a677 = a678 = a679 = a680 = \
1859 a681 = a682 = a683 = a684 = a685 = a686 = a687 = a688 = a689 = a690 = \
1860 a691 = a692 = a693 = a694 = a695 = a696 = a697 = a698 = a699 = a700 = \
1861 a701 = a702 = a703 = a704 = a705 = a706 = a707 = a708 = a709 = a710 = \
1862 a711 = a712 = a713 = a714 = a715 = a716 = a717 = a718 = a719 = a720 = \
1863 a721 = a722 = a723 = a724 = a725 = a726 = a727 = a728 = a729 = a730 = \
1864 a731 = a732 = a733 = a734 = a735 = a736 = a737 = a738 = a739 = a740 = \
1865 a741 = a742 = a743 = a744 = a745 = a746 = a747 = a748 = a749 = a750 = \
1866 a751 = a752 = a753 = a754 = a755 = a756 = a757 = a758 = a759 = a760 = \
1867 a761 = a762 = a763 = a764 = a765 = a766 = a767 = a768 = a769 = a770 = \
1868 a771 = a772 = a773 = a774 = a775 = a776 = a777 = a778 = a779 = a780 = \
1869 a781 = a782 = a783 = a784 = a785 = a786 = a787 = a788 = a789 = a790 = \
1870 a791 = a792 = a793 = a794 = a795 = a796 = a797 = a798 = a799 = a800 \
1871 = None
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001872 print(a0)
1873
1874 try:
1875 f()
1876 except NameError as exc:
1877 with support.captured_stderr() as err:
1878 sys.__excepthook__(*sys.exc_info())
1879
Miss Islington (bot)d55bf812021-10-07 05:11:38 -07001880 self.assertNotRegex(err.getvalue(), r"NameError.*a1")
Pablo Galindo5bf8bf22021-04-14 15:10:33 +01001881
1882 def test_name_error_with_custom_exceptions(self):
1883 def f():
1884 blech = None
1885 raise NameError()
1886
1887 try:
1888 f()
1889 except NameError as exc:
1890 with support.captured_stderr() as err:
1891 sys.__excepthook__(*sys.exc_info())
1892
1893 self.assertNotIn("blech", err.getvalue())
1894
1895 def f():
1896 blech = None
1897 raise NameError
1898
1899 try:
1900 f()
1901 except NameError as exc:
1902 with support.captured_stderr() as err:
1903 sys.__excepthook__(*sys.exc_info())
1904
1905 self.assertNotIn("blech", err.getvalue())
Antoine Pitroua7622852011-09-01 21:37:43 +02001906
Pablo Galindo0ad81d42021-04-16 17:12:03 +01001907 def test_unbound_local_error_doesn_not_match(self):
1908 def foo():
1909 something = 3
1910 print(somethong)
1911 somethong = 3
1912
1913 try:
1914 foo()
1915 except UnboundLocalError as exc:
1916 with support.captured_stderr() as err:
1917 sys.__excepthook__(*sys.exc_info())
1918
1919 self.assertNotIn("something", err.getvalue())
1920
Łukasz Langa8eabe602021-11-18 01:28:04 +01001921 def test_issue45826(self):
1922 # regression test for bpo-45826
1923 def f():
1924 with self.assertRaisesRegex(NameError, 'aaa'):
1925 aab
1926
1927 try:
1928 f()
1929 except self.failureException:
1930 with support.captured_stderr() as err:
1931 sys.__excepthook__(*sys.exc_info())
1932
1933 self.assertIn("aab", err.getvalue())
1934
1935 def test_issue45826_focused(self):
1936 def f():
1937 try:
1938 nonsense
1939 except BaseException as E:
1940 E.with_traceback(None)
1941 raise ZeroDivisionError()
1942
1943 try:
1944 f()
1945 except ZeroDivisionError:
1946 with support.captured_stderr() as err:
1947 sys.__excepthook__(*sys.exc_info())
1948
1949 self.assertIn("nonsense", err.getvalue())
1950 self.assertIn("ZeroDivisionError", err.getvalue())
1951
Pablo Galindo0ad81d42021-04-16 17:12:03 +01001952
Pablo Galindo37494b42021-04-14 02:36:07 +01001953class AttributeErrorTests(unittest.TestCase):
1954 def test_attributes(self):
1955 # Setting 'attr' should not be a problem.
1956 exc = AttributeError('Ouch!')
1957 self.assertIsNone(exc.name)
1958 self.assertIsNone(exc.obj)
1959
1960 sentinel = object()
1961 exc = AttributeError('Ouch', name='carry', obj=sentinel)
1962 self.assertEqual(exc.name, 'carry')
1963 self.assertIs(exc.obj, sentinel)
1964
1965 def test_getattr_has_name_and_obj(self):
1966 class A:
1967 blech = None
1968
1969 obj = A()
1970 try:
1971 obj.bluch
1972 except AttributeError as exc:
1973 self.assertEqual("bluch", exc.name)
1974 self.assertEqual(obj, exc.obj)
1975
1976 def test_getattr_has_name_and_obj_for_method(self):
1977 class A:
1978 def blech(self):
1979 return
1980
1981 obj = A()
1982 try:
1983 obj.bluch()
1984 except AttributeError as exc:
1985 self.assertEqual("bluch", exc.name)
1986 self.assertEqual(obj, exc.obj)
1987
1988 def test_getattr_suggestions(self):
1989 class Substitution:
1990 noise = more_noise = a = bc = None
1991 blech = None
1992
1993 class Elimination:
1994 noise = more_noise = a = bc = None
1995 blch = None
1996
1997 class Addition:
1998 noise = more_noise = a = bc = None
1999 bluchin = None
2000
2001 class SubstitutionOverElimination:
2002 blach = None
2003 bluc = None
2004
2005 class SubstitutionOverAddition:
2006 blach = None
2007 bluchi = None
2008
2009 class EliminationOverAddition:
2010 blucha = None
2011 bluc = None
2012
Pablo Galindo7a041162021-04-19 23:35:53 +01002013 for cls, suggestion in [(Substitution, "'blech'?"),
2014 (Elimination, "'blch'?"),
2015 (Addition, "'bluchin'?"),
2016 (EliminationOverAddition, "'bluc'?"),
2017 (SubstitutionOverElimination, "'blach'?"),
2018 (SubstitutionOverAddition, "'blach'?")]:
Pablo Galindo37494b42021-04-14 02:36:07 +01002019 try:
2020 cls().bluch
2021 except AttributeError as exc:
2022 with support.captured_stderr() as err:
2023 sys.__excepthook__(*sys.exc_info())
2024
2025 self.assertIn(suggestion, err.getvalue())
2026
2027 def test_getattr_suggestions_do_not_trigger_for_long_attributes(self):
2028 class A:
2029 blech = None
2030
2031 try:
2032 A().somethingverywrong
2033 except AttributeError as exc:
2034 with support.captured_stderr() as err:
2035 sys.__excepthook__(*sys.exc_info())
2036
2037 self.assertNotIn("blech", err.getvalue())
2038
Dennis Sweeney284c52d2021-04-26 20:22:27 -04002039 def test_getattr_error_bad_suggestions_do_not_trigger_for_small_names(self):
2040 class MyClass:
2041 vvv = mom = w = id = pytho = None
2042
2043 with self.subTest(name="b"):
2044 try:
2045 MyClass.b
2046 except AttributeError as exc:
2047 with support.captured_stderr() as err:
2048 sys.__excepthook__(*sys.exc_info())
2049 self.assertNotIn("you mean", err.getvalue())
2050 self.assertNotIn("vvv", err.getvalue())
2051 self.assertNotIn("mom", err.getvalue())
2052 self.assertNotIn("'id'", err.getvalue())
2053 self.assertNotIn("'w'", err.getvalue())
2054 self.assertNotIn("'pytho'", err.getvalue())
2055
2056 with self.subTest(name="v"):
2057 try:
2058 MyClass.v
2059 except AttributeError as exc:
2060 with support.captured_stderr() as err:
2061 sys.__excepthook__(*sys.exc_info())
2062 self.assertNotIn("you mean", err.getvalue())
2063 self.assertNotIn("vvv", err.getvalue())
2064 self.assertNotIn("mom", err.getvalue())
2065 self.assertNotIn("'id'", err.getvalue())
2066 self.assertNotIn("'w'", err.getvalue())
2067 self.assertNotIn("'pytho'", err.getvalue())
2068
2069 with self.subTest(name="m"):
2070 try:
2071 MyClass.m
2072 except AttributeError as exc:
2073 with support.captured_stderr() as err:
2074 sys.__excepthook__(*sys.exc_info())
2075 self.assertNotIn("you mean", err.getvalue())
2076 self.assertNotIn("vvv", err.getvalue())
2077 self.assertNotIn("mom", err.getvalue())
2078 self.assertNotIn("'id'", err.getvalue())
2079 self.assertNotIn("'w'", err.getvalue())
2080 self.assertNotIn("'pytho'", err.getvalue())
2081
2082 with self.subTest(name="py"):
2083 try:
2084 MyClass.py
2085 except AttributeError as exc:
2086 with support.captured_stderr() as err:
2087 sys.__excepthook__(*sys.exc_info())
2088 self.assertNotIn("you mean", err.getvalue())
2089 self.assertNotIn("vvv", err.getvalue())
2090 self.assertNotIn("mom", err.getvalue())
2091 self.assertNotIn("'id'", err.getvalue())
2092 self.assertNotIn("'w'", err.getvalue())
2093 self.assertNotIn("'pytho'", err.getvalue())
2094
2095
Pablo Galindo37494b42021-04-14 02:36:07 +01002096 def test_getattr_suggestions_do_not_trigger_for_big_dicts(self):
2097 class A:
2098 blech = None
2099 # A class with a very big __dict__ will not be consider
2100 # for suggestions.
Dennis Sweeney80a2a4e2021-05-03 11:47:27 -04002101 for index in range(2000):
Pablo Galindo37494b42021-04-14 02:36:07 +01002102 setattr(A, f"index_{index}", None)
2103
2104 try:
2105 A().bluch
2106 except AttributeError as exc:
2107 with support.captured_stderr() as err:
2108 sys.__excepthook__(*sys.exc_info())
2109
2110 self.assertNotIn("blech", err.getvalue())
2111
2112 def test_getattr_suggestions_no_args(self):
2113 class A:
2114 blech = None
2115 def __getattr__(self, attr):
2116 raise AttributeError()
2117
2118 try:
2119 A().bluch
2120 except AttributeError as exc:
2121 with support.captured_stderr() as err:
2122 sys.__excepthook__(*sys.exc_info())
2123
2124 self.assertIn("blech", err.getvalue())
2125
2126 class A:
2127 blech = None
2128 def __getattr__(self, attr):
2129 raise AttributeError
2130
2131 try:
2132 A().bluch
2133 except AttributeError as exc:
2134 with support.captured_stderr() as err:
2135 sys.__excepthook__(*sys.exc_info())
2136
2137 self.assertIn("blech", err.getvalue())
2138
2139 def test_getattr_suggestions_invalid_args(self):
2140 class NonStringifyClass:
2141 __str__ = None
2142 __repr__ = None
2143
2144 class A:
2145 blech = None
2146 def __getattr__(self, attr):
2147 raise AttributeError(NonStringifyClass())
2148
2149 class B:
2150 blech = None
2151 def __getattr__(self, attr):
2152 raise AttributeError("Error", 23)
2153
2154 class C:
2155 blech = None
2156 def __getattr__(self, attr):
2157 raise AttributeError(23)
2158
2159 for cls in [A, B, C]:
2160 try:
2161 cls().bluch
2162 except AttributeError as exc:
2163 with support.captured_stderr() as err:
2164 sys.__excepthook__(*sys.exc_info())
2165
2166 self.assertIn("blech", err.getvalue())
2167
Miss Islington (bot)a0b1d402021-07-16 14:16:08 -07002168 def test_getattr_suggestions_for_same_name(self):
2169 class A:
2170 def __dir__(self):
2171 return ['blech']
2172 try:
2173 A().blech
2174 except AttributeError as exc:
2175 with support.captured_stderr() as err:
2176 sys.__excepthook__(*sys.exc_info())
2177
2178 self.assertNotIn("Did you mean", err.getvalue())
2179
Pablo Galindoe07f4ab2021-04-14 18:58:28 +01002180 def test_attribute_error_with_failing_dict(self):
2181 class T:
2182 bluch = 1
2183 def __dir__(self):
2184 raise AttributeError("oh no!")
2185
2186 try:
2187 T().blich
2188 except AttributeError as exc:
2189 with support.captured_stderr() as err:
2190 sys.__excepthook__(*sys.exc_info())
2191
2192 self.assertNotIn("blech", err.getvalue())
2193 self.assertNotIn("oh no!", err.getvalue())
Pablo Galindo37494b42021-04-14 02:36:07 +01002194
Pablo Galindo0b1c1692021-04-17 23:28:45 +01002195 def test_attribute_error_with_bad_name(self):
2196 try:
2197 raise AttributeError(name=12, obj=23)
2198 except AttributeError as exc:
2199 with support.captured_stderr() as err:
2200 sys.__excepthook__(*sys.exc_info())
2201
2202 self.assertNotIn("?", err.getvalue())
2203
2204
Brett Cannon79ec55e2012-04-12 20:24:54 -04002205class ImportErrorTests(unittest.TestCase):
2206
2207 def test_attributes(self):
2208 # Setting 'name' and 'path' should not be a problem.
2209 exc = ImportError('test')
2210 self.assertIsNone(exc.name)
2211 self.assertIsNone(exc.path)
2212
2213 exc = ImportError('test', name='somemodule')
2214 self.assertEqual(exc.name, 'somemodule')
2215 self.assertIsNone(exc.path)
2216
2217 exc = ImportError('test', path='somepath')
2218 self.assertEqual(exc.path, 'somepath')
2219 self.assertIsNone(exc.name)
2220
2221 exc = ImportError('test', path='somepath', name='somename')
2222 self.assertEqual(exc.name, 'somename')
2223 self.assertEqual(exc.path, 'somepath')
2224
Michael Seifert64c8f702017-04-09 09:47:12 +02002225 msg = "'invalid' is an invalid keyword argument for ImportError"
Serhiy Storchaka47dee112016-09-27 20:45:35 +03002226 with self.assertRaisesRegex(TypeError, msg):
2227 ImportError('test', invalid='keyword')
2228
2229 with self.assertRaisesRegex(TypeError, msg):
2230 ImportError('test', name='name', invalid='keyword')
2231
2232 with self.assertRaisesRegex(TypeError, msg):
2233 ImportError('test', path='path', invalid='keyword')
2234
2235 with self.assertRaisesRegex(TypeError, msg):
2236 ImportError(invalid='keyword')
2237
Serhiy Storchaka47dee112016-09-27 20:45:35 +03002238 with self.assertRaisesRegex(TypeError, msg):
2239 ImportError('test', invalid='keyword', another=True)
2240
Serhiy Storchakae9e44482016-09-28 07:53:32 +03002241 def test_reset_attributes(self):
2242 exc = ImportError('test', name='name', path='path')
2243 self.assertEqual(exc.args, ('test',))
2244 self.assertEqual(exc.msg, 'test')
2245 self.assertEqual(exc.name, 'name')
2246 self.assertEqual(exc.path, 'path')
2247
2248 # Reset not specified attributes
2249 exc.__init__()
2250 self.assertEqual(exc.args, ())
2251 self.assertEqual(exc.msg, None)
2252 self.assertEqual(exc.name, None)
2253 self.assertEqual(exc.path, None)
2254
Brett Cannon07c6e712012-08-24 13:05:09 -04002255 def test_non_str_argument(self):
2256 # Issue #15778
Nadeem Vawda6d708702012-10-14 01:42:32 +02002257 with check_warnings(('', BytesWarning), quiet=True):
2258 arg = b'abc'
2259 exc = ImportError(arg)
2260 self.assertEqual(str(arg), str(exc))
Brett Cannon79ec55e2012-04-12 20:24:54 -04002261
Serhiy Storchakab7853962017-04-08 09:55:07 +03002262 def test_copy_pickle(self):
2263 for kwargs in (dict(),
2264 dict(name='somename'),
2265 dict(path='somepath'),
2266 dict(name='somename', path='somepath')):
2267 orig = ImportError('test', **kwargs)
2268 for proto in range(pickle.HIGHEST_PROTOCOL + 1):
2269 exc = pickle.loads(pickle.dumps(orig, proto))
2270 self.assertEqual(exc.args, ('test',))
2271 self.assertEqual(exc.msg, 'test')
2272 self.assertEqual(exc.name, orig.name)
2273 self.assertEqual(exc.path, orig.path)
2274 for c in copy.copy, copy.deepcopy:
2275 exc = c(orig)
2276 self.assertEqual(exc.args, ('test',))
2277 self.assertEqual(exc.msg, 'test')
2278 self.assertEqual(exc.name, orig.name)
2279 self.assertEqual(exc.path, orig.path)
2280
Pablo Galindoa77aac42021-04-23 14:27:05 +01002281class SyntaxErrorTests(unittest.TestCase):
2282 def test_range_of_offsets(self):
2283 cases = [
2284 # Basic range from 2->7
2285 (("bad.py", 1, 2, "abcdefg", 1, 7),
2286 dedent(
2287 """
2288 File "bad.py", line 1
2289 abcdefg
2290 ^^^^^
2291 SyntaxError: bad bad
2292 """)),
2293 # end_offset = start_offset + 1
2294 (("bad.py", 1, 2, "abcdefg", 1, 3),
2295 dedent(
2296 """
2297 File "bad.py", line 1
2298 abcdefg
2299 ^
2300 SyntaxError: bad bad
2301 """)),
2302 # Negative end offset
2303 (("bad.py", 1, 2, "abcdefg", 1, -2),
2304 dedent(
2305 """
2306 File "bad.py", line 1
2307 abcdefg
2308 ^
2309 SyntaxError: bad bad
2310 """)),
2311 # end offset before starting offset
2312 (("bad.py", 1, 4, "abcdefg", 1, 2),
2313 dedent(
2314 """
2315 File "bad.py", line 1
2316 abcdefg
2317 ^
2318 SyntaxError: bad bad
2319 """)),
2320 # Both offsets negative
2321 (("bad.py", 1, -4, "abcdefg", 1, -2),
2322 dedent(
2323 """
2324 File "bad.py", line 1
2325 abcdefg
2326 SyntaxError: bad bad
2327 """)),
2328 # Both offsets negative and the end more negative
2329 (("bad.py", 1, -4, "abcdefg", 1, -5),
2330 dedent(
2331 """
2332 File "bad.py", line 1
2333 abcdefg
2334 SyntaxError: bad bad
2335 """)),
2336 # Both offsets 0
2337 (("bad.py", 1, 0, "abcdefg", 1, 0),
2338 dedent(
2339 """
2340 File "bad.py", line 1
2341 abcdefg
2342 SyntaxError: bad bad
2343 """)),
2344 # Start offset 0 and end offset not 0
2345 (("bad.py", 1, 0, "abcdefg", 1, 5),
2346 dedent(
2347 """
2348 File "bad.py", line 1
2349 abcdefg
2350 SyntaxError: bad bad
2351 """)),
Christian Clausscfca4a62021-10-07 17:49:47 +02002352 # End offset pass the source length
Pablo Galindoa77aac42021-04-23 14:27:05 +01002353 (("bad.py", 1, 2, "abcdefg", 1, 100),
2354 dedent(
2355 """
2356 File "bad.py", line 1
2357 abcdefg
2358 ^^^^^^
2359 SyntaxError: bad bad
2360 """)),
2361 ]
2362 for args, expected in cases:
2363 with self.subTest(args=args):
2364 try:
2365 raise SyntaxError("bad bad", args)
2366 except SyntaxError as exc:
2367 with support.captured_stderr() as err:
2368 sys.__excepthook__(*sys.exc_info())
Miss Islington (bot)c800e392021-09-21 15:38:59 -07002369 self.assertIn(expected, err.getvalue())
Pablo Galindoa77aac42021-04-23 14:27:05 +01002370 the_exception = exc
2371
Miss Islington (bot)c0496092021-06-08 17:29:21 -07002372 def test_encodings(self):
2373 source = (
2374 '# -*- coding: cp437 -*-\n'
2375 '"¢¢¢¢¢¢" + f(4, x for x in range(1))\n'
2376 )
2377 try:
2378 with open(TESTFN, 'w', encoding='cp437') as testfile:
2379 testfile.write(source)
2380 rc, out, err = script_helper.assert_python_failure('-Wd', '-X', 'utf8', TESTFN)
2381 err = err.decode('utf-8').splitlines()
2382
2383 self.assertEqual(err[-3], ' "¢¢¢¢¢¢" + f(4, x for x in range(1))')
2384 self.assertEqual(err[-2], ' ^^^^^^^^^^^^^^^^^^^')
2385 finally:
2386 unlink(TESTFN)
2387
Łukasz Langa904af3d2021-11-20 16:34:56 +01002388 # Check backwards tokenizer errors
2389 source = '# -*- coding: ascii -*-\n\n(\n'
2390 try:
2391 with open(TESTFN, 'w', encoding='ascii') as testfile:
2392 testfile.write(source)
2393 rc, out, err = script_helper.assert_python_failure('-Wd', '-X', 'utf8', TESTFN)
2394 err = err.decode('utf-8').splitlines()
2395
2396 self.assertEqual(err[-3], ' (')
2397 self.assertEqual(err[-2], ' ^')
2398 finally:
2399 unlink(TESTFN)
2400
Miss Islington (bot)94483f12021-12-12 08:52:49 -08002401 def test_non_utf8(self):
2402 # Check non utf-8 characters
2403 try:
2404 with open(TESTFN, 'bw') as testfile:
2405 testfile.write(b"\x89")
2406 rc, out, err = script_helper.assert_python_failure('-Wd', '-X', 'utf8', TESTFN)
2407 err = err.decode('utf-8').splitlines()
2408
2409 self.assertIn("SyntaxError: Non-UTF-8 code starting with '\\x89' in file", err[-1])
2410 finally:
2411 unlink(TESTFN)
2412
Pablo Galindoa77aac42021-04-23 14:27:05 +01002413 def test_attributes_new_constructor(self):
2414 args = ("bad.py", 1, 2, "abcdefg", 1, 100)
2415 the_exception = SyntaxError("bad bad", args)
2416 filename, lineno, offset, error, end_lineno, end_offset = args
2417 self.assertEqual(filename, the_exception.filename)
2418 self.assertEqual(lineno, the_exception.lineno)
2419 self.assertEqual(end_lineno, the_exception.end_lineno)
2420 self.assertEqual(offset, the_exception.offset)
2421 self.assertEqual(end_offset, the_exception.end_offset)
2422 self.assertEqual(error, the_exception.text)
2423 self.assertEqual("bad bad", the_exception.msg)
2424
2425 def test_attributes_old_constructor(self):
2426 args = ("bad.py", 1, 2, "abcdefg")
2427 the_exception = SyntaxError("bad bad", args)
2428 filename, lineno, offset, error = args
2429 self.assertEqual(filename, the_exception.filename)
2430 self.assertEqual(lineno, the_exception.lineno)
2431 self.assertEqual(None, the_exception.end_lineno)
2432 self.assertEqual(offset, the_exception.offset)
2433 self.assertEqual(None, the_exception.end_offset)
2434 self.assertEqual(error, the_exception.text)
2435 self.assertEqual("bad bad", the_exception.msg)
2436
2437 def test_incorrect_constructor(self):
2438 args = ("bad.py", 1, 2)
2439 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2440
2441 args = ("bad.py", 1, 2, 4, 5, 6, 7)
2442 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2443
2444 args = ("bad.py", 1, 2, "abcdefg", 1)
2445 self.assertRaises(TypeError, SyntaxError, "bad bad", args)
2446
Brett Cannon79ec55e2012-04-12 20:24:54 -04002447
Mark Shannonbf353f32020-12-17 13:55:28 +00002448class PEP626Tests(unittest.TestCase):
2449
Mark Shannon0b6b2862021-06-24 13:09:14 +01002450 def lineno_after_raise(self, f, *expected):
Mark Shannonbf353f32020-12-17 13:55:28 +00002451 try:
2452 f()
2453 except Exception as ex:
2454 t = ex.__traceback__
Mark Shannon0b6b2862021-06-24 13:09:14 +01002455 else:
2456 self.fail("No exception raised")
2457 lines = []
2458 t = t.tb_next # Skip this function
2459 while t:
Mark Shannonbf353f32020-12-17 13:55:28 +00002460 frame = t.tb_frame
Mark Shannon0b6b2862021-06-24 13:09:14 +01002461 lines.append(
2462 None if frame.f_lineno is None else
2463 frame.f_lineno-frame.f_code.co_firstlineno
2464 )
2465 t = t.tb_next
2466 self.assertEqual(tuple(lines), expected)
Mark Shannonbf353f32020-12-17 13:55:28 +00002467
2468 def test_lineno_after_raise_simple(self):
2469 def simple():
2470 1/0
2471 pass
2472 self.lineno_after_raise(simple, 1)
2473
2474 def test_lineno_after_raise_in_except(self):
2475 def in_except():
2476 try:
2477 1/0
2478 except:
2479 1/0
2480 pass
2481 self.lineno_after_raise(in_except, 4)
2482
2483 def test_lineno_after_other_except(self):
2484 def other_except():
2485 try:
2486 1/0
2487 except TypeError as ex:
2488 pass
2489 self.lineno_after_raise(other_except, 3)
2490
2491 def test_lineno_in_named_except(self):
2492 def in_named_except():
2493 try:
2494 1/0
2495 except Exception as ex:
2496 1/0
2497 pass
2498 self.lineno_after_raise(in_named_except, 4)
2499
2500 def test_lineno_in_try(self):
2501 def in_try():
2502 try:
2503 1/0
2504 finally:
2505 pass
2506 self.lineno_after_raise(in_try, 4)
2507
2508 def test_lineno_in_finally_normal(self):
2509 def in_finally_normal():
2510 try:
2511 pass
2512 finally:
2513 1/0
2514 pass
2515 self.lineno_after_raise(in_finally_normal, 4)
2516
2517 def test_lineno_in_finally_except(self):
2518 def in_finally_except():
2519 try:
2520 1/0
2521 finally:
2522 1/0
2523 pass
2524 self.lineno_after_raise(in_finally_except, 4)
2525
2526 def test_lineno_after_with(self):
2527 class Noop:
2528 def __enter__(self):
2529 return self
2530 def __exit__(self, *args):
2531 pass
2532 def after_with():
2533 with Noop():
2534 1/0
2535 pass
2536 self.lineno_after_raise(after_with, 2)
2537
Mark Shannon088a15c2021-04-29 19:28:50 +01002538 def test_missing_lineno_shows_as_none(self):
2539 def f():
2540 1/0
2541 self.lineno_after_raise(f, 1)
2542 f.__code__ = f.__code__.replace(co_linetable=b'\x04\x80\xff\x80')
2543 self.lineno_after_raise(f, None)
Mark Shannonbf353f32020-12-17 13:55:28 +00002544
Mark Shannon0b6b2862021-06-24 13:09:14 +01002545 def test_lineno_after_raise_in_with_exit(self):
2546 class ExitFails:
2547 def __enter__(self):
2548 return self
2549 def __exit__(self, *args):
2550 raise ValueError
2551
2552 def after_with():
2553 with ExitFails():
2554 1/0
2555 self.lineno_after_raise(after_with, 1, 1)
2556
Thomas Wouters4d70c3d2006-06-08 14:42:34 +00002557if __name__ == '__main__':
Guido van Rossumb8142c32007-05-08 17:49:10 +00002558 unittest.main()