blob: 13c7df1cb2c505d10d846113b8e5cfabac00f474 [file] [log] [blame]
Christian Heimes33fe8092008-04-13 13:53:33 +00001from contextlib import contextmanager
Christian Heimes5fb7c2a2007-12-24 08:52:31 +00002import linecache
Raymond Hettingerdc9dcf12003-07-13 06:15:11 +00003import os
Christian Heimes5fb7c2a2007-12-24 08:52:31 +00004from io import StringIO
Guido van Rossum61e21b52007-08-20 19:06:03 +00005import sys
Raymond Hettingerd6f6e502003-07-13 08:37:40 +00006import unittest
Philip Jenvey0805ca32010-04-07 04:04:10 +00007import subprocess
Benjamin Petersonee8712c2008-05-20 21:35:26 +00008from test import support
Antoine Pitroucf9f9802010-11-10 13:55:25 +00009from test.script_helper import assert_python_ok
Jeremy Hylton85014662003-07-11 15:37:59 +000010
Guido van Rossum805365e2007-05-07 22:24:25 +000011from test import warning_tests
Jeremy Hylton85014662003-07-11 15:37:59 +000012
Christian Heimes33fe8092008-04-13 13:53:33 +000013import warnings as original_warnings
Jeremy Hylton85014662003-07-11 15:37:59 +000014
Nick Coghlan47384702009-04-22 16:13:36 +000015py_warnings = support.import_fresh_module('warnings', blocked=['_warnings'])
16c_warnings = support.import_fresh_module('warnings', fresh=['_warnings'])
Christian Heimes33fe8092008-04-13 13:53:33 +000017
18@contextmanager
19def warnings_state(module):
20 """Use a specific warnings implementation in warning_tests."""
21 global __warningregistry__
22 for to_clear in (sys, warning_tests):
23 try:
24 to_clear.__warningregistry__.clear()
25 except AttributeError:
26 pass
27 try:
28 __warningregistry__.clear()
29 except NameError:
30 pass
31 original_warnings = warning_tests.warnings
Florent Xiclunafd1b0932010-03-28 00:25:02 +000032 original_filters = module.filters
Christian Heimes33fe8092008-04-13 13:53:33 +000033 try:
Florent Xiclunafd1b0932010-03-28 00:25:02 +000034 module.filters = original_filters[:]
35 module.simplefilter("once")
Christian Heimes33fe8092008-04-13 13:53:33 +000036 warning_tests.warnings = module
37 yield
38 finally:
39 warning_tests.warnings = original_warnings
Florent Xiclunafd1b0932010-03-28 00:25:02 +000040 module.filters = original_filters
Christian Heimes33fe8092008-04-13 13:53:33 +000041
42
Ezio Melotti2688e812013-01-10 06:52:23 +020043class BaseTest:
Christian Heimes33fe8092008-04-13 13:53:33 +000044
45 """Basic bookkeeping required for testing."""
46
47 def setUp(self):
48 # The __warningregistry__ needs to be in a pristine state for tests
49 # to work properly.
50 if '__warningregistry__' in globals():
51 del globals()['__warningregistry__']
52 if hasattr(warning_tests, '__warningregistry__'):
53 del warning_tests.__warningregistry__
54 if hasattr(sys, '__warningregistry__'):
55 del sys.__warningregistry__
56 # The 'warnings' module must be explicitly set so that the proper
57 # interaction between _warnings and 'warnings' can be controlled.
58 sys.modules['warnings'] = self.module
59 super(BaseTest, self).setUp()
60
61 def tearDown(self):
62 sys.modules['warnings'] = original_warnings
63 super(BaseTest, self).tearDown()
64
65
Ezio Melotti2688e812013-01-10 06:52:23 +020066class FilterTests(BaseTest):
Christian Heimes33fe8092008-04-13 13:53:33 +000067
68 """Testing the filtering functionality."""
69
70 def test_error(self):
Brett Cannon1cd02472008-09-09 01:52:27 +000071 with original_warnings.catch_warnings(module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +000072 self.module.resetwarnings()
73 self.module.filterwarnings("error", category=UserWarning)
74 self.assertRaises(UserWarning, self.module.warn,
75 "FilterTests.test_error")
76
77 def test_ignore(self):
Brett Cannon1cd02472008-09-09 01:52:27 +000078 with original_warnings.catch_warnings(record=True,
79 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +000080 self.module.resetwarnings()
81 self.module.filterwarnings("ignore", category=UserWarning)
82 self.module.warn("FilterTests.test_ignore", UserWarning)
Ezio Melottib3aedd42010-11-20 19:04:17 +000083 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +000084
85 def test_always(self):
Brett Cannon1cd02472008-09-09 01:52:27 +000086 with original_warnings.catch_warnings(record=True,
87 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +000088 self.module.resetwarnings()
89 self.module.filterwarnings("always", category=UserWarning)
90 message = "FilterTests.test_always"
91 self.module.warn(message, UserWarning)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +000092 self.assertTrue(message, w[-1].message)
Christian Heimes33fe8092008-04-13 13:53:33 +000093 self.module.warn(message, UserWarning)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +000094 self.assertTrue(w[-1].message, message)
Christian Heimes33fe8092008-04-13 13:53:33 +000095
96 def test_default(self):
Brett Cannon1cd02472008-09-09 01:52:27 +000097 with original_warnings.catch_warnings(record=True,
98 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +000099 self.module.resetwarnings()
100 self.module.filterwarnings("default", category=UserWarning)
101 message = UserWarning("FilterTests.test_default")
102 for x in range(2):
103 self.module.warn(message, UserWarning)
104 if x == 0:
Ezio Melottib3aedd42010-11-20 19:04:17 +0000105 self.assertEqual(w[-1].message, message)
Brett Cannon1cd02472008-09-09 01:52:27 +0000106 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000107 elif x == 1:
Ezio Melottib3aedd42010-11-20 19:04:17 +0000108 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000109 else:
110 raise ValueError("loop variant unhandled")
111
112 def test_module(self):
Brett Cannon1cd02472008-09-09 01:52:27 +0000113 with original_warnings.catch_warnings(record=True,
114 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000115 self.module.resetwarnings()
116 self.module.filterwarnings("module", category=UserWarning)
117 message = UserWarning("FilterTests.test_module")
118 self.module.warn(message, UserWarning)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000119 self.assertEqual(w[-1].message, message)
Brett Cannon1cd02472008-09-09 01:52:27 +0000120 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000121 self.module.warn(message, UserWarning)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000122 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000123
124 def test_once(self):
Brett Cannon1cd02472008-09-09 01:52:27 +0000125 with original_warnings.catch_warnings(record=True,
126 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000127 self.module.resetwarnings()
128 self.module.filterwarnings("once", category=UserWarning)
129 message = UserWarning("FilterTests.test_once")
130 self.module.warn_explicit(message, UserWarning, "test_warnings.py",
131 42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000132 self.assertEqual(w[-1].message, message)
Brett Cannon1cd02472008-09-09 01:52:27 +0000133 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000134 self.module.warn_explicit(message, UserWarning, "test_warnings.py",
135 13)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000136 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000137 self.module.warn_explicit(message, UserWarning, "test_warnings2.py",
138 42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000139 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000140
141 def test_inheritance(self):
Brett Cannon1cd02472008-09-09 01:52:27 +0000142 with original_warnings.catch_warnings(module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000143 self.module.resetwarnings()
144 self.module.filterwarnings("error", category=Warning)
145 self.assertRaises(UserWarning, self.module.warn,
146 "FilterTests.test_inheritance", UserWarning)
147
148 def test_ordering(self):
Brett Cannon1cd02472008-09-09 01:52:27 +0000149 with original_warnings.catch_warnings(record=True,
150 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000151 self.module.resetwarnings()
152 self.module.filterwarnings("ignore", category=UserWarning)
153 self.module.filterwarnings("error", category=UserWarning,
154 append=True)
Brett Cannon1cd02472008-09-09 01:52:27 +0000155 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000156 try:
157 self.module.warn("FilterTests.test_ordering", UserWarning)
158 except UserWarning:
159 self.fail("order handling for actions failed")
Ezio Melottib3aedd42010-11-20 19:04:17 +0000160 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000161
162 def test_filterwarnings(self):
163 # Test filterwarnings().
164 # Implicitly also tests resetwarnings().
Brett Cannon1cd02472008-09-09 01:52:27 +0000165 with original_warnings.catch_warnings(record=True,
166 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000167 self.module.filterwarnings("error", "", Warning, "", 0)
168 self.assertRaises(UserWarning, self.module.warn, 'convert to error')
169
170 self.module.resetwarnings()
171 text = 'handle normally'
172 self.module.warn(text)
Brett Cannon1cd02472008-09-09 01:52:27 +0000173 self.assertEqual(str(w[-1].message), text)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000174 self.assertTrue(w[-1].category is UserWarning)
Christian Heimes33fe8092008-04-13 13:53:33 +0000175
176 self.module.filterwarnings("ignore", "", Warning, "", 0)
177 text = 'filtered out'
178 self.module.warn(text)
Brett Cannon1cd02472008-09-09 01:52:27 +0000179 self.assertNotEqual(str(w[-1].message), text)
Christian Heimes33fe8092008-04-13 13:53:33 +0000180
181 self.module.resetwarnings()
182 self.module.filterwarnings("error", "hex*", Warning, "", 0)
183 self.assertRaises(UserWarning, self.module.warn, 'hex/oct')
184 text = 'nonmatching text'
185 self.module.warn(text)
Brett Cannon1cd02472008-09-09 01:52:27 +0000186 self.assertEqual(str(w[-1].message), text)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000187 self.assertTrue(w[-1].category is UserWarning)
Christian Heimes33fe8092008-04-13 13:53:33 +0000188
Ezio Melotti2688e812013-01-10 06:52:23 +0200189class CFilterTests(FilterTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000190 module = c_warnings
191
Ezio Melotti2688e812013-01-10 06:52:23 +0200192class PyFilterTests(FilterTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000193 module = py_warnings
194
195
Ezio Melotti2688e812013-01-10 06:52:23 +0200196class WarnTests(BaseTest):
Christian Heimes33fe8092008-04-13 13:53:33 +0000197
198 """Test warnings.warn() and warnings.warn_explicit()."""
199
200 def test_message(self):
Brett Cannon1cd02472008-09-09 01:52:27 +0000201 with original_warnings.catch_warnings(record=True,
202 module=self.module) as w:
Florent Xiclunafd1b0932010-03-28 00:25:02 +0000203 self.module.simplefilter("once")
Guido van Rossumd8faa362007-04-27 19:54:29 +0000204 for i in range(4):
Christian Heimes33fe8092008-04-13 13:53:33 +0000205 text = 'multi %d' %i # Different text on each call.
206 self.module.warn(text)
Brett Cannon1cd02472008-09-09 01:52:27 +0000207 self.assertEqual(str(w[-1].message), text)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000208 self.assertTrue(w[-1].category is UserWarning)
Raymond Hettingerd6f6e502003-07-13 08:37:40 +0000209
Brett Cannon54bd41d2008-09-02 04:01:42 +0000210 # Issue 3639
211 def test_warn_nonstandard_types(self):
212 # warn() should handle non-standard types without issue.
213 for ob in (Warning, None, 42):
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000214 with original_warnings.catch_warnings(record=True,
215 module=self.module) as w:
Florent Xiclunafd1b0932010-03-28 00:25:02 +0000216 self.module.simplefilter("once")
Brett Cannon54bd41d2008-09-02 04:01:42 +0000217 self.module.warn(ob)
218 # Don't directly compare objects since
219 # ``Warning() != Warning()``.
Ezio Melottib3aedd42010-11-20 19:04:17 +0000220 self.assertEqual(str(w[-1].message), str(UserWarning(ob)))
Brett Cannon54bd41d2008-09-02 04:01:42 +0000221
Guido van Rossumd8faa362007-04-27 19:54:29 +0000222 def test_filename(self):
Christian Heimes33fe8092008-04-13 13:53:33 +0000223 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000224 with original_warnings.catch_warnings(record=True,
225 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000226 warning_tests.inner("spam1")
Brett Cannon1cd02472008-09-09 01:52:27 +0000227 self.assertEqual(os.path.basename(w[-1].filename),
228 "warning_tests.py")
Christian Heimes33fe8092008-04-13 13:53:33 +0000229 warning_tests.outer("spam2")
Brett Cannon1cd02472008-09-09 01:52:27 +0000230 self.assertEqual(os.path.basename(w[-1].filename),
231 "warning_tests.py")
Guido van Rossumd8faa362007-04-27 19:54:29 +0000232
233 def test_stacklevel(self):
234 # Test stacklevel argument
235 # make sure all messages are different, so the warning won't be skipped
Christian Heimes33fe8092008-04-13 13:53:33 +0000236 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000237 with original_warnings.catch_warnings(record=True,
238 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000239 warning_tests.inner("spam3", stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000240 self.assertEqual(os.path.basename(w[-1].filename),
241 "warning_tests.py")
Christian Heimes33fe8092008-04-13 13:53:33 +0000242 warning_tests.outer("spam4", stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000243 self.assertEqual(os.path.basename(w[-1].filename),
244 "warning_tests.py")
Guido van Rossumd8faa362007-04-27 19:54:29 +0000245
Christian Heimes33fe8092008-04-13 13:53:33 +0000246 warning_tests.inner("spam5", stacklevel=2)
Brett Cannon1cd02472008-09-09 01:52:27 +0000247 self.assertEqual(os.path.basename(w[-1].filename),
248 "test_warnings.py")
Christian Heimes33fe8092008-04-13 13:53:33 +0000249 warning_tests.outer("spam6", stacklevel=2)
Brett Cannon1cd02472008-09-09 01:52:27 +0000250 self.assertEqual(os.path.basename(w[-1].filename),
251 "warning_tests.py")
Christian Heimes5d8da202008-05-06 13:58:24 +0000252 warning_tests.outer("spam6.5", stacklevel=3)
Brett Cannon1cd02472008-09-09 01:52:27 +0000253 self.assertEqual(os.path.basename(w[-1].filename),
254 "test_warnings.py")
Guido van Rossumd8faa362007-04-27 19:54:29 +0000255
Christian Heimes33fe8092008-04-13 13:53:33 +0000256 warning_tests.inner("spam7", stacklevel=9999)
Brett Cannon1cd02472008-09-09 01:52:27 +0000257 self.assertEqual(os.path.basename(w[-1].filename),
258 "sys")
Christian Heimes33fe8092008-04-13 13:53:33 +0000259
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000260 def test_missing_filename_not_main(self):
261 # If __file__ is not specified and __main__ is not the module name,
262 # then __file__ should be set to the module name.
263 filename = warning_tests.__file__
264 try:
265 del warning_tests.__file__
266 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000267 with original_warnings.catch_warnings(record=True,
268 module=self.module) as w:
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000269 warning_tests.inner("spam8", stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000270 self.assertEqual(w[-1].filename, warning_tests.__name__)
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000271 finally:
272 warning_tests.__file__ = filename
273
274 def test_missing_filename_main_with_argv(self):
275 # If __file__ is not specified and the caller is __main__ and sys.argv
276 # exists, then use sys.argv[0] as the file.
277 if not hasattr(sys, 'argv'):
278 return
279 filename = warning_tests.__file__
280 module_name = warning_tests.__name__
281 try:
282 del warning_tests.__file__
283 warning_tests.__name__ = '__main__'
284 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000285 with original_warnings.catch_warnings(record=True,
286 module=self.module) as w:
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000287 warning_tests.inner('spam9', stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000288 self.assertEqual(w[-1].filename, sys.argv[0])
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000289 finally:
290 warning_tests.__file__ = filename
291 warning_tests.__name__ = module_name
292
293 def test_missing_filename_main_without_argv(self):
294 # If __file__ is not specified, the caller is __main__, and sys.argv
295 # is not set, then '__main__' is the file name.
296 filename = warning_tests.__file__
297 module_name = warning_tests.__name__
298 argv = sys.argv
299 try:
300 del warning_tests.__file__
301 warning_tests.__name__ = '__main__'
302 del sys.argv
303 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000304 with original_warnings.catch_warnings(record=True,
305 module=self.module) as w:
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000306 warning_tests.inner('spam10', stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000307 self.assertEqual(w[-1].filename, '__main__')
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000308 finally:
309 warning_tests.__file__ = filename
310 warning_tests.__name__ = module_name
311 sys.argv = argv
312
Christian Heimesdaaf8ee2008-05-04 23:58:41 +0000313 def test_missing_filename_main_with_argv_empty_string(self):
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000314 # If __file__ is not specified, the caller is __main__, and sys.argv[0]
315 # is the empty string, then '__main__ is the file name.
316 # Tests issue 2743.
317 file_name = warning_tests.__file__
318 module_name = warning_tests.__name__
319 argv = sys.argv
320 try:
321 del warning_tests.__file__
322 warning_tests.__name__ = '__main__'
323 sys.argv = ['']
324 with warnings_state(self.module):
Brett Cannon1cd02472008-09-09 01:52:27 +0000325 with original_warnings.catch_warnings(record=True,
326 module=self.module) as w:
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000327 warning_tests.inner('spam11', stacklevel=1)
Brett Cannon1cd02472008-09-09 01:52:27 +0000328 self.assertEqual(w[-1].filename, '__main__')
Christian Heimes81ee3ef2008-05-04 22:42:01 +0000329 finally:
330 warning_tests.__file__ = file_name
331 warning_tests.__name__ = module_name
332 sys.argv = argv
333
Victor Stinnera4c704b2013-10-29 23:43:41 +0100334 def test_warn_explicit_non_ascii_filename(self):
335 with original_warnings.catch_warnings(record=True,
336 module=self.module) as w:
337 self.module.resetwarnings()
338 self.module.filterwarnings("always", category=UserWarning)
Victor Stinnerc0e07a32013-10-29 23:58:05 +0100339 for filename in ("nonascii\xe9\u20ac", "surrogate\udc80"):
340 try:
341 os.fsencode(filename)
342 except UnicodeEncodeError:
343 continue
344 self.module.warn_explicit("text", UserWarning, filename, 1)
345 self.assertEqual(w[-1].filename, filename)
Victor Stinnera4c704b2013-10-29 23:43:41 +0100346
Brett Cannondb734912008-06-27 00:52:15 +0000347 def test_warn_explicit_type_errors(self):
Ezio Melotti13925002011-03-16 11:05:33 +0200348 # warn_explicit() should error out gracefully if it is given objects
Brett Cannondb734912008-06-27 00:52:15 +0000349 # of the wrong types.
350 # lineno is expected to be an integer.
351 self.assertRaises(TypeError, self.module.warn_explicit,
352 None, UserWarning, None, None)
353 # Either 'message' needs to be an instance of Warning or 'category'
354 # needs to be a subclass.
355 self.assertRaises(TypeError, self.module.warn_explicit,
356 None, None, None, 1)
357 # 'registry' must be a dict or None.
358 self.assertRaises((TypeError, AttributeError),
359 self.module.warn_explicit,
360 None, Warning, None, 1, registry=42)
361
Hirokazu Yamamoto1c0c0032009-07-17 06:55:42 +0000362 def test_bad_str(self):
363 # issue 6415
364 # Warnings instance with a bad format string for __str__ should not
365 # trigger a bus error.
366 class BadStrWarning(Warning):
367 """Warning with a bad format string for __str__."""
368 def __str__(self):
369 return ("A bad formatted string %(err)" %
370 {"err" : "there is no %(err)s"})
371
372 with self.assertRaises(ValueError):
373 self.module.warn(BadStrWarning())
374
375
Ezio Melotti2688e812013-01-10 06:52:23 +0200376class CWarnTests(WarnTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000377 module = c_warnings
378
Nick Coghlanfce769e2009-04-11 14:30:59 +0000379 # As an early adopter, we sanity check the
380 # test.support.import_fresh_module utility function
381 def test_accelerated(self):
382 self.assertFalse(original_warnings is self.module)
383 self.assertFalse(hasattr(self.module.warn, '__code__'))
384
Ezio Melotti2688e812013-01-10 06:52:23 +0200385class PyWarnTests(WarnTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000386 module = py_warnings
387
Nick Coghlanfce769e2009-04-11 14:30:59 +0000388 # As an early adopter, we sanity check the
389 # test.support.import_fresh_module utility function
390 def test_pure_python(self):
391 self.assertFalse(original_warnings is self.module)
392 self.assertTrue(hasattr(self.module.warn, '__code__'))
393
Christian Heimes33fe8092008-04-13 13:53:33 +0000394
Ezio Melotti2688e812013-01-10 06:52:23 +0200395class WCmdLineTests(BaseTest):
Christian Heimes33fe8092008-04-13 13:53:33 +0000396
397 def test_improper_input(self):
398 # Uses the private _setoption() function to test the parsing
399 # of command-line warning arguments
Brett Cannon1cd02472008-09-09 01:52:27 +0000400 with original_warnings.catch_warnings(module=self.module):
Christian Heimes33fe8092008-04-13 13:53:33 +0000401 self.assertRaises(self.module._OptionError,
402 self.module._setoption, '1:2:3:4:5:6')
403 self.assertRaises(self.module._OptionError,
404 self.module._setoption, 'bogus::Warning')
405 self.assertRaises(self.module._OptionError,
406 self.module._setoption, 'ignore:2::4:-5')
407 self.module._setoption('error::Warning::0')
408 self.assertRaises(UserWarning, self.module.warn, 'convert to error')
409
Antoine Pitroucf9f9802010-11-10 13:55:25 +0000410 def test_improper_option(self):
411 # Same as above, but check that the message is printed out when
412 # the interpreter is executed. This also checks that options are
413 # actually parsed at all.
414 rc, out, err = assert_python_ok("-Wxxx", "-c", "pass")
415 self.assertIn(b"Invalid -W option ignored: invalid action: 'xxx'", err)
416
417 def test_warnings_bootstrap(self):
418 # Check that the warnings module does get loaded when -W<some option>
419 # is used (see issue #10372 for an example of silent bootstrap failure).
420 rc, out, err = assert_python_ok("-Wi", "-c",
421 "import sys; sys.modules['warnings'].warn('foo', RuntimeWarning)")
422 # '-Wi' was observed
423 self.assertFalse(out.strip())
424 self.assertNotIn(b'RuntimeWarning', err)
425
Ezio Melotti2688e812013-01-10 06:52:23 +0200426class CWCmdLineTests(WCmdLineTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000427 module = c_warnings
428
Ezio Melotti2688e812013-01-10 06:52:23 +0200429class PyWCmdLineTests(WCmdLineTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000430 module = py_warnings
431
432
Ezio Melotti2688e812013-01-10 06:52:23 +0200433class _WarningsTests(BaseTest, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000434
435 """Tests specific to the _warnings module."""
436
437 module = c_warnings
438
439 def test_filter(self):
440 # Everything should function even if 'filters' is not in warnings.
Brett Cannon1cd02472008-09-09 01:52:27 +0000441 with original_warnings.catch_warnings(module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000442 self.module.filterwarnings("error", "", Warning, "", 0)
443 self.assertRaises(UserWarning, self.module.warn,
444 'convert to error')
445 del self.module.filters
446 self.assertRaises(UserWarning, self.module.warn,
447 'convert to error')
448
449 def test_onceregistry(self):
450 # Replacing or removing the onceregistry should be okay.
451 global __warningregistry__
452 message = UserWarning('onceregistry test')
453 try:
454 original_registry = self.module.onceregistry
455 __warningregistry__ = {}
Brett Cannon1cd02472008-09-09 01:52:27 +0000456 with original_warnings.catch_warnings(record=True,
457 module=self.module) as w:
Christian Heimes33fe8092008-04-13 13:53:33 +0000458 self.module.resetwarnings()
459 self.module.filterwarnings("once", category=UserWarning)
460 self.module.warn_explicit(message, UserWarning, "file", 42)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000461 self.assertEqual(w[-1].message, message)
Brett Cannon1cd02472008-09-09 01:52:27 +0000462 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000463 self.module.warn_explicit(message, UserWarning, "file", 42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000464 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000465 # Test the resetting of onceregistry.
466 self.module.onceregistry = {}
467 __warningregistry__ = {}
468 self.module.warn('onceregistry test')
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000469 self.assertEqual(w[-1].message.args, message.args)
Christian Heimes33fe8092008-04-13 13:53:33 +0000470 # Removal of onceregistry is okay.
Brett Cannon1cd02472008-09-09 01:52:27 +0000471 del w[:]
Christian Heimes33fe8092008-04-13 13:53:33 +0000472 del self.module.onceregistry
473 __warningregistry__ = {}
474 self.module.warn_explicit(message, UserWarning, "file", 42)
Ezio Melottib3aedd42010-11-20 19:04:17 +0000475 self.assertEqual(len(w), 0)
Christian Heimes33fe8092008-04-13 13:53:33 +0000476 finally:
477 self.module.onceregistry = original_registry
478
Brett Cannon0759dd62009-04-01 18:13:07 +0000479 def test_default_action(self):
480 # Replacing or removing defaultaction should be okay.
481 message = UserWarning("defaultaction test")
482 original = self.module.defaultaction
483 try:
484 with original_warnings.catch_warnings(record=True,
485 module=self.module) as w:
486 self.module.resetwarnings()
487 registry = {}
488 self.module.warn_explicit(message, UserWarning, "<test>", 42,
489 registry=registry)
490 self.assertEqual(w[-1].message, message)
491 self.assertEqual(len(w), 1)
492 self.assertEqual(len(registry), 1)
493 del w[:]
494 # Test removal.
495 del self.module.defaultaction
496 __warningregistry__ = {}
497 registry = {}
498 self.module.warn_explicit(message, UserWarning, "<test>", 43,
499 registry=registry)
500 self.assertEqual(w[-1].message, message)
501 self.assertEqual(len(w), 1)
502 self.assertEqual(len(registry), 1)
503 del w[:]
504 # Test setting.
505 self.module.defaultaction = "ignore"
506 __warningregistry__ = {}
507 registry = {}
508 self.module.warn_explicit(message, UserWarning, "<test>", 44,
509 registry=registry)
510 self.assertEqual(len(w), 0)
511 finally:
512 self.module.defaultaction = original
513
Christian Heimes33fe8092008-04-13 13:53:33 +0000514 def test_showwarning_missing(self):
515 # Test that showwarning() missing is okay.
516 text = 'del showwarning test'
Brett Cannon1cd02472008-09-09 01:52:27 +0000517 with original_warnings.catch_warnings(module=self.module):
Christian Heimes33fe8092008-04-13 13:53:33 +0000518 self.module.filterwarnings("always", category=UserWarning)
519 del self.module.showwarning
Benjamin Petersonee8712c2008-05-20 21:35:26 +0000520 with support.captured_output('stderr') as stream:
Christian Heimes33fe8092008-04-13 13:53:33 +0000521 self.module.warn(text)
522 result = stream.getvalue()
Benjamin Peterson577473f2010-01-19 00:09:57 +0000523 self.assertIn(text, result)
Christian Heimes33fe8092008-04-13 13:53:33 +0000524
Christian Heimes8dc226f2008-05-06 23:45:46 +0000525 def test_showwarning_not_callable(self):
Brett Cannonfcc05272009-04-01 20:27:29 +0000526 with original_warnings.catch_warnings(module=self.module):
527 self.module.filterwarnings("always", category=UserWarning)
Brett Cannon52a7d982011-07-17 19:17:55 -0700528 self.module.showwarning = print
529 with support.captured_output('stdout'):
530 self.module.warn('Warning!')
Brett Cannonfcc05272009-04-01 20:27:29 +0000531 self.module.showwarning = 23
Brett Cannon52a7d982011-07-17 19:17:55 -0700532 self.assertRaises(TypeError, self.module.warn, "Warning!")
Christian Heimes8dc226f2008-05-06 23:45:46 +0000533
Christian Heimes33fe8092008-04-13 13:53:33 +0000534 def test_show_warning_output(self):
535 # With showarning() missing, make sure that output is okay.
536 text = 'test show_warning'
Brett Cannon1cd02472008-09-09 01:52:27 +0000537 with original_warnings.catch_warnings(module=self.module):
Christian Heimes33fe8092008-04-13 13:53:33 +0000538 self.module.filterwarnings("always", category=UserWarning)
539 del self.module.showwarning
Benjamin Petersonee8712c2008-05-20 21:35:26 +0000540 with support.captured_output('stderr') as stream:
Christian Heimes33fe8092008-04-13 13:53:33 +0000541 warning_tests.inner(text)
542 result = stream.getvalue()
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000543 self.assertEqual(result.count('\n'), 2,
Christian Heimes33fe8092008-04-13 13:53:33 +0000544 "Too many newlines in %r" % result)
545 first_line, second_line = result.split('\n', 1)
546 expected_file = os.path.splitext(warning_tests.__file__)[0] + '.py'
Neal Norwitz32dde222008-04-15 06:43:13 +0000547 first_line_parts = first_line.rsplit(':', 3)
548 path, line, warning_class, message = first_line_parts
Christian Heimes33fe8092008-04-13 13:53:33 +0000549 line = int(line)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000550 self.assertEqual(expected_file, path)
551 self.assertEqual(warning_class, ' ' + UserWarning.__name__)
552 self.assertEqual(message, ' ' + text)
Christian Heimes33fe8092008-04-13 13:53:33 +0000553 expected_line = ' ' + linecache.getline(path, line).strip() + '\n'
554 assert expected_line
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000555 self.assertEqual(second_line, expected_line)
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000556
Victor Stinner8b0508e2011-07-04 02:43:09 +0200557 def test_filename_none(self):
558 # issue #12467: race condition if a warning is emitted at shutdown
559 globals_dict = globals()
560 oldfile = globals_dict['__file__']
561 try:
Brett Cannon52a7d982011-07-17 19:17:55 -0700562 catch = original_warnings.catch_warnings(record=True,
563 module=self.module)
564 with catch as w:
Victor Stinner8b0508e2011-07-04 02:43:09 +0200565 self.module.filterwarnings("always", category=UserWarning)
566 globals_dict['__file__'] = None
567 original_warnings.warn('test', UserWarning)
Brett Cannon52a7d982011-07-17 19:17:55 -0700568 self.assertTrue(len(w))
Victor Stinner8b0508e2011-07-04 02:43:09 +0200569 finally:
570 globals_dict['__file__'] = oldfile
571
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000572
Ezio Melotti2688e812013-01-10 06:52:23 +0200573class WarningsDisplayTests(BaseTest):
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000574
Christian Heimes33fe8092008-04-13 13:53:33 +0000575 """Test the displaying of warnings and the ability to overload functions
576 related to displaying warnings."""
577
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000578 def test_formatwarning(self):
579 message = "msg"
580 category = Warning
581 file_name = os.path.splitext(warning_tests.__file__)[0] + '.py'
582 line_num = 3
583 file_line = linecache.getline(file_name, line_num).strip()
Christian Heimes33fe8092008-04-13 13:53:33 +0000584 format = "%s:%s: %s: %s\n %s\n"
585 expect = format % (file_name, line_num, category.__name__, message,
586 file_line)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000587 self.assertEqual(expect, self.module.formatwarning(message,
Christian Heimes33fe8092008-04-13 13:53:33 +0000588 category, file_name, line_num))
589 # Test the 'line' argument.
590 file_line += " for the win!"
591 expect = format % (file_name, line_num, category.__name__, message,
592 file_line)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000593 self.assertEqual(expect, self.module.formatwarning(message,
Christian Heimes33fe8092008-04-13 13:53:33 +0000594 category, file_name, line_num, file_line))
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000595
596 def test_showwarning(self):
597 file_name = os.path.splitext(warning_tests.__file__)[0] + '.py'
598 line_num = 3
599 expected_file_line = linecache.getline(file_name, line_num).strip()
600 message = 'msg'
601 category = Warning
602 file_object = StringIO()
Christian Heimes33fe8092008-04-13 13:53:33 +0000603 expect = self.module.formatwarning(message, category, file_name,
604 line_num)
605 self.module.showwarning(message, category, file_name, line_num,
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000606 file_object)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000607 self.assertEqual(file_object.getvalue(), expect)
Christian Heimes33fe8092008-04-13 13:53:33 +0000608 # Test 'line' argument.
609 expected_file_line += "for the win!"
610 expect = self.module.formatwarning(message, category, file_name,
611 line_num, expected_file_line)
612 file_object = StringIO()
613 self.module.showwarning(message, category, file_name, line_num,
614 file_object, expected_file_line)
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000615 self.assertEqual(expect, file_object.getvalue())
Christian Heimes33fe8092008-04-13 13:53:33 +0000616
Ezio Melotti2688e812013-01-10 06:52:23 +0200617class CWarningsDisplayTests(WarningsDisplayTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000618 module = c_warnings
619
Ezio Melotti2688e812013-01-10 06:52:23 +0200620class PyWarningsDisplayTests(WarningsDisplayTests, unittest.TestCase):
Christian Heimes33fe8092008-04-13 13:53:33 +0000621 module = py_warnings
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000622
Brett Cannon1cd02472008-09-09 01:52:27 +0000623
Brett Cannonec92e182008-09-02 02:46:59 +0000624class CatchWarningTests(BaseTest):
Nick Coghlanb1304932008-07-13 12:25:08 +0000625
Brett Cannonec92e182008-09-02 02:46:59 +0000626 """Test catch_warnings()."""
627
628 def test_catch_warnings_restore(self):
Nick Coghlanb1304932008-07-13 12:25:08 +0000629 wmod = self.module
630 orig_filters = wmod.filters
631 orig_showwarning = wmod.showwarning
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000632 # Ensure both showwarning and filters are restored when recording
633 with wmod.catch_warnings(module=wmod, record=True):
Nick Coghlanb1304932008-07-13 12:25:08 +0000634 wmod.filters = wmod.showwarning = object()
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000635 self.assertTrue(wmod.filters is orig_filters)
636 self.assertTrue(wmod.showwarning is orig_showwarning)
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000637 # Same test, but with recording disabled
638 with wmod.catch_warnings(module=wmod, record=False):
Nick Coghlanb1304932008-07-13 12:25:08 +0000639 wmod.filters = wmod.showwarning = object()
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000640 self.assertTrue(wmod.filters is orig_filters)
641 self.assertTrue(wmod.showwarning is orig_showwarning)
Nick Coghlanb1304932008-07-13 12:25:08 +0000642
Brett Cannonec92e182008-09-02 02:46:59 +0000643 def test_catch_warnings_recording(self):
Nick Coghlanb1304932008-07-13 12:25:08 +0000644 wmod = self.module
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000645 # Ensure warnings are recorded when requested
646 with wmod.catch_warnings(module=wmod, record=True) as w:
Brett Cannonec92e182008-09-02 02:46:59 +0000647 self.assertEqual(w, [])
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000648 self.assertTrue(type(w) is list)
Nick Coghlanb1304932008-07-13 12:25:08 +0000649 wmod.simplefilter("always")
650 wmod.warn("foo")
Brett Cannon1cd02472008-09-09 01:52:27 +0000651 self.assertEqual(str(w[-1].message), "foo")
Nick Coghlanb1304932008-07-13 12:25:08 +0000652 wmod.warn("bar")
Brett Cannon1cd02472008-09-09 01:52:27 +0000653 self.assertEqual(str(w[-1].message), "bar")
Brett Cannonec92e182008-09-02 02:46:59 +0000654 self.assertEqual(str(w[0].message), "foo")
655 self.assertEqual(str(w[1].message), "bar")
Brett Cannon1cd02472008-09-09 01:52:27 +0000656 del w[:]
Brett Cannonec92e182008-09-02 02:46:59 +0000657 self.assertEqual(w, [])
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000658 # Ensure warnings are not recorded when not requested
Nick Coghlanb1304932008-07-13 12:25:08 +0000659 orig_showwarning = wmod.showwarning
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000660 with wmod.catch_warnings(module=wmod, record=False) as w:
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000661 self.assertTrue(w is None)
662 self.assertTrue(wmod.showwarning is orig_showwarning)
Nick Coghlanb1304932008-07-13 12:25:08 +0000663
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000664 def test_catch_warnings_reentry_guard(self):
665 wmod = self.module
666 # Ensure catch_warnings is protected against incorrect usage
667 x = wmod.catch_warnings(module=wmod, record=True)
668 self.assertRaises(RuntimeError, x.__exit__)
669 with x:
670 self.assertRaises(RuntimeError, x.__enter__)
671 # Same test, but with recording disabled
672 x = wmod.catch_warnings(module=wmod, record=False)
673 self.assertRaises(RuntimeError, x.__exit__)
674 with x:
675 self.assertRaises(RuntimeError, x.__enter__)
676
677 def test_catch_warnings_defaults(self):
678 wmod = self.module
679 orig_filters = wmod.filters
680 orig_showwarning = wmod.showwarning
681 # Ensure default behaviour is not to record warnings
682 with wmod.catch_warnings(module=wmod) as w:
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000683 self.assertTrue(w is None)
684 self.assertTrue(wmod.showwarning is orig_showwarning)
685 self.assertTrue(wmod.filters is not orig_filters)
686 self.assertTrue(wmod.filters is orig_filters)
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000687 if wmod is sys.modules['warnings']:
688 # Ensure the default module is this one
689 with wmod.catch_warnings() as w:
Benjamin Petersonc9c0f202009-06-30 23:06:06 +0000690 self.assertTrue(w is None)
691 self.assertTrue(wmod.showwarning is orig_showwarning)
692 self.assertTrue(wmod.filters is not orig_filters)
693 self.assertTrue(wmod.filters is orig_filters)
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000694
695 def test_check_warnings(self):
696 # Explicit tests for the test.support convenience wrapper
697 wmod = self.module
Florent Xicluna53b506be2010-03-18 20:00:57 +0000698 if wmod is not sys.modules['warnings']:
699 return
700 with support.check_warnings(quiet=False) as w:
701 self.assertEqual(w.warnings, [])
702 wmod.simplefilter("always")
703 wmod.warn("foo")
704 self.assertEqual(str(w.message), "foo")
705 wmod.warn("bar")
706 self.assertEqual(str(w.message), "bar")
707 self.assertEqual(str(w.warnings[0].message), "foo")
708 self.assertEqual(str(w.warnings[1].message), "bar")
709 w.reset()
710 self.assertEqual(w.warnings, [])
711
712 with support.check_warnings():
713 # defaults to quiet=True without argument
714 pass
715 with support.check_warnings(('foo', UserWarning)):
716 wmod.warn("foo")
717
718 with self.assertRaises(AssertionError):
719 with support.check_warnings(('', RuntimeWarning)):
720 # defaults to quiet=False with argument
721 pass
722 with self.assertRaises(AssertionError):
723 with support.check_warnings(('foo', RuntimeWarning)):
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000724 wmod.warn("foo")
Benjamin Petersonfcf5d632008-10-16 23:24:44 +0000725
Ezio Melotti2688e812013-01-10 06:52:23 +0200726class CCatchWarningTests(CatchWarningTests, unittest.TestCase):
Nick Coghlanb1304932008-07-13 12:25:08 +0000727 module = c_warnings
728
Ezio Melotti2688e812013-01-10 06:52:23 +0200729class PyCatchWarningTests(CatchWarningTests, unittest.TestCase):
Nick Coghlanb1304932008-07-13 12:25:08 +0000730 module = py_warnings
731
Christian Heimes5fb7c2a2007-12-24 08:52:31 +0000732
Philip Jenvey0805ca32010-04-07 04:04:10 +0000733class EnvironmentVariableTests(BaseTest):
734
735 def test_single_warning(self):
736 newenv = os.environ.copy()
737 newenv["PYTHONWARNINGS"] = "ignore::DeprecationWarning"
738 p = subprocess.Popen([sys.executable,
739 "-c", "import sys; sys.stdout.write(str(sys.warnoptions))"],
740 stdout=subprocess.PIPE, env=newenv)
Benjamin Petersonad6139a2010-04-11 21:16:33 +0000741 self.assertEqual(p.communicate()[0], b"['ignore::DeprecationWarning']")
742 self.assertEqual(p.wait(), 0)
Philip Jenvey0805ca32010-04-07 04:04:10 +0000743
744 def test_comma_separated_warnings(self):
745 newenv = os.environ.copy()
746 newenv["PYTHONWARNINGS"] = ("ignore::DeprecationWarning,"
747 "ignore::UnicodeWarning")
748 p = subprocess.Popen([sys.executable,
749 "-c", "import sys; sys.stdout.write(str(sys.warnoptions))"],
750 stdout=subprocess.PIPE, env=newenv)
Benjamin Petersonad6139a2010-04-11 21:16:33 +0000751 self.assertEqual(p.communicate()[0],
Philip Jenvey0805ca32010-04-07 04:04:10 +0000752 b"['ignore::DeprecationWarning', 'ignore::UnicodeWarning']")
Benjamin Petersonad6139a2010-04-11 21:16:33 +0000753 self.assertEqual(p.wait(), 0)
Philip Jenvey0805ca32010-04-07 04:04:10 +0000754
755 def test_envvar_and_command_line(self):
756 newenv = os.environ.copy()
757 newenv["PYTHONWARNINGS"] = "ignore::DeprecationWarning"
758 p = subprocess.Popen([sys.executable, "-W" "ignore::UnicodeWarning",
759 "-c", "import sys; sys.stdout.write(str(sys.warnoptions))"],
760 stdout=subprocess.PIPE, env=newenv)
Benjamin Petersonad6139a2010-04-11 21:16:33 +0000761 self.assertEqual(p.communicate()[0],
Philip Jenvey0805ca32010-04-07 04:04:10 +0000762 b"['ignore::UnicodeWarning', 'ignore::DeprecationWarning']")
Benjamin Petersonad6139a2010-04-11 21:16:33 +0000763 self.assertEqual(p.wait(), 0)
Philip Jenvey0805ca32010-04-07 04:04:10 +0000764
Philip Jenveye53de3d2010-04-14 03:01:39 +0000765 @unittest.skipUnless(sys.getfilesystemencoding() != 'ascii',
766 'requires non-ascii filesystemencoding')
767 def test_nonascii(self):
768 newenv = os.environ.copy()
769 newenv["PYTHONWARNINGS"] = "ignore:DeprecaciónWarning"
770 newenv["PYTHONIOENCODING"] = "utf-8"
771 p = subprocess.Popen([sys.executable,
772 "-c", "import sys; sys.stdout.write(str(sys.warnoptions))"],
773 stdout=subprocess.PIPE, env=newenv)
774 self.assertEqual(p.communicate()[0],
775 "['ignore:DeprecaciónWarning']".encode('utf-8'))
776 self.assertEqual(p.wait(), 0)
777
Ezio Melotti2688e812013-01-10 06:52:23 +0200778class CEnvironmentVariableTests(EnvironmentVariableTests, unittest.TestCase):
Philip Jenvey0805ca32010-04-07 04:04:10 +0000779 module = c_warnings
780
Ezio Melotti2688e812013-01-10 06:52:23 +0200781class PyEnvironmentVariableTests(EnvironmentVariableTests, unittest.TestCase):
Philip Jenvey0805ca32010-04-07 04:04:10 +0000782 module = py_warnings
783
784
Victor Stinner7d79b8b2010-05-19 20:40:50 +0000785class BootstrapTest(unittest.TestCase):
786 def test_issue_8766(self):
787 # "import encodings" emits a warning whereas the warnings is not loaded
Ezio Melotti42da6632011-03-15 05:18:48 +0200788 # or not completely loaded (warnings imports indirectly encodings by
Victor Stinner7d79b8b2010-05-19 20:40:50 +0000789 # importing linecache) yet
790 with support.temp_cwd() as cwd, support.temp_cwd('encodings'):
791 env = os.environ.copy()
792 env['PYTHONPATH'] = cwd
793
794 # encodings loaded by initfsencoding()
795 retcode = subprocess.call([sys.executable, '-c', 'pass'], env=env)
796 self.assertEqual(retcode, 0)
797
798 # Use -W to load warnings module at startup
799 retcode = subprocess.call(
800 [sys.executable, '-c', 'pass', '-W', 'always'],
801 env=env)
802 self.assertEqual(retcode, 0)
803
Victor Stinnerd1b48992013-10-28 19:16:21 +0100804class FinalizationTest(unittest.TestCase):
805 def test_finalization(self):
806 # Issue #19421: warnings.warn() should not crash
807 # during Python finalization
808 code = """
809import warnings
810warn = warnings.warn
811
812class A:
813 def __del__(self):
814 warn("test")
815
816a=A()
817 """
818 rc, out, err = assert_python_ok("-c", code)
819 # note: "__main__" filename is not correct, it should be the name
820 # of the script
821 self.assertEqual(err, b'__main__:7: UserWarning: test')
822
Ezio Melotti2688e812013-01-10 06:52:23 +0200823
824def setUpModule():
Christian Heimesdae2a892008-04-19 00:55:37 +0000825 py_warnings.onceregistry.clear()
826 c_warnings.onceregistry.clear()
Christian Heimes33fe8092008-04-13 13:53:33 +0000827
Ezio Melotti2688e812013-01-10 06:52:23 +0200828tearDownModule = setUpModule
Raymond Hettingerd6f6e502003-07-13 08:37:40 +0000829
830if __name__ == "__main__":
Ezio Melotti2688e812013-01-10 06:52:23 +0200831 unittest.main()