Commit 1d55ec32 authored by Ezio Melotti's avatar Ezio Melotti

Merged revisions 79539 via svnmerge from

svn+ssh://pythondev@svn.python.org/python/trunk

........
  r79539 | florent.xicluna | 2010-04-01 01:01:03 +0300 (Thu, 01 Apr 2010) | 2 lines

  Replace catch_warnings with check_warnings when it makes sense.  Use assertRaises context manager to simplify some tests.
........
parent cc436eb6
import copy import copy
import warnings
import unittest import unittest
from test.test_support import run_unittest, TestFailed from test.test_support import run_unittest, TestFailed, check_warnings
# Fake a number that implements numeric methods through __coerce__ # Fake a number that implements numeric methods through __coerce__
class CoerceNumber: class CoerceNumber:
...@@ -223,12 +222,6 @@ def process_infix_results(): ...@@ -223,12 +222,6 @@ def process_infix_results():
infix_results[key] = res infix_results[key] = res
with warnings.catch_warnings():
warnings.filterwarnings("ignore", "classic int division",
DeprecationWarning)
process_infix_results()
# now infix_results has two lists of results for every pairing.
prefix_binops = [ 'divmod' ] prefix_binops = [ 'divmod' ]
prefix_results = [ prefix_results = [
[(1,0), (1L,0L), (0.0,2.0), ((1+0j),0j), TE, TE, TE, TE, (1,0)], [(1,0), (1L,0L), (0.0,2.0), ((1+0j),0j), TE, TE, TE, TE, (1,0)],
...@@ -339,11 +332,13 @@ class CoercionTest(unittest.TestCase): ...@@ -339,11 +332,13 @@ class CoercionTest(unittest.TestCase):
raise exc raise exc
def test_main(): def test_main():
with warnings.catch_warnings(): with check_warnings(("complex divmod.., // and % are deprecated",
warnings.filterwarnings("ignore", "complex divmod.., // and % " DeprecationWarning),
"are deprecated", DeprecationWarning) ("classic (int|long) division", DeprecationWarning),
warnings.filterwarnings("ignore", "classic (int|long) division", quiet=True):
DeprecationWarning) process_infix_results()
# now infix_results has two lists of results for every pairing.
run_unittest(CoercionTest) run_unittest(CoercionTest)
if __name__ == "__main__": if __name__ == "__main__":
......
...@@ -4,13 +4,11 @@ ...@@ -4,13 +4,11 @@
''' '''
import unittest import unittest
import os, tempfile, re import os, tempfile, re
import warnings
warnings.filterwarnings('ignore', r".*commands.getstatus.. is deprecated", from test.test_support import run_unittest, reap_children, import_module, \
DeprecationWarning) check_warnings
from test.test_support import TestSkipped, run_unittest, reap_children, import_module from test.test_support import TestSkipped, run_unittest, reap_children, import_module
# Silence Py3k warning # Silence Py3k warning
import_module('commands', deprecated=True) import_module('commands', deprecated=True)
from commands import * from commands import *
...@@ -60,7 +58,11 @@ class CommandTests(unittest.TestCase): ...@@ -60,7 +58,11 @@ class CommandTests(unittest.TestCase):
/\. # and end with the name of the file. /\. # and end with the name of the file.
''' '''
self.assert_(re.match(pat, getstatus("/."), re.VERBOSE)) with check_warnings((".*commands.getstatus.. is deprecated",
DeprecationWarning),
("in 3.x, mkarg has been removed",
DeprecationWarning),):
self.assertTrue(re.match(pat, getstatus("/."), re.VERBOSE))
def test_main(): def test_main():
......
import unittest, os import unittest
from test import test_support from test import test_support
import warnings
warnings.filterwarnings(
"ignore",
category=DeprecationWarning,
message=".*complex divmod.*are deprecated"
)
from random import random from random import random
from math import atan2 from math import atan2
...@@ -371,10 +364,7 @@ class ComplexTest(unittest.TestCase): ...@@ -371,10 +364,7 @@ class ComplexTest(unittest.TestCase):
finally: finally:
if (fo is not None) and (not fo.closed): if (fo is not None) and (not fo.closed):
fo.close() fo.close()
try: test_support.unlink(test_support.TESTFN)
os.remove(test_support.TESTFN)
except (OSError, IOError):
pass
def test_getnewargs(self): def test_getnewargs(self):
self.assertEqual((1+2j).__getnewargs__(), (1.0, 2.0)) self.assertEqual((1+2j).__getnewargs__(), (1.0, 2.0))
...@@ -392,7 +382,9 @@ class ComplexTest(unittest.TestCase): ...@@ -392,7 +382,9 @@ class ComplexTest(unittest.TestCase):
self.assertEquals(atan2(z2.imag, -1.), atan2(-0., -1.)) self.assertEquals(atan2(z2.imag, -1.), atan2(-0., -1.))
def test_main(): def test_main():
test_support.run_unittest(ComplexTest) with test_support.check_warnings(("complex divmod.., // and % are "
"deprecated", DeprecationWarning)):
test_support.run_unittest(ComplexTest)
if __name__ == "__main__": if __name__ == "__main__":
test_main() test_main()
"""Unit tests for contextlib.py, and other context managers.""" """Unit tests for contextlib.py, and other context managers."""
import sys import sys
import os import os
import decimal import decimal
...@@ -139,7 +138,7 @@ class NestedTestCase(unittest.TestCase): ...@@ -139,7 +138,7 @@ class NestedTestCase(unittest.TestCase):
with nested(a(), b()) as (x, y): with nested(a(), b()) as (x, y):
state.append(x) state.append(x)
state.append(y) state.append(y)
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.assertEqual(state, [1, 4, 2, 5, 6, 3]) self.assertEqual(state, [1, 4, 2, 5, 6, 3])
else: else:
...@@ -160,7 +159,7 @@ class NestedTestCase(unittest.TestCase): ...@@ -160,7 +159,7 @@ class NestedTestCase(unittest.TestCase):
pass pass
try: try:
with nested(a(), b()) as (x, y): with nested(a(), b()) as (x, y):
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.assertEqual((x, y), (1, 2)) self.assertEqual((x, y), (1, 2))
except Exception: except Exception:
...@@ -181,7 +180,7 @@ class NestedTestCase(unittest.TestCase): ...@@ -181,7 +180,7 @@ class NestedTestCase(unittest.TestCase):
pass pass
try: try:
with nested(a(), b()): with nested(a(), b()):
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.fail("Didn't swallow ZeroDivisionError") self.fail("Didn't swallow ZeroDivisionError")
...@@ -247,7 +246,7 @@ class ClosingTestCase(unittest.TestCase): ...@@ -247,7 +246,7 @@ class ClosingTestCase(unittest.TestCase):
try: try:
with closing(x) as y: with closing(x) as y:
self.assertEqual(x, y) self.assertEqual(x, y)
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.assertEqual(state, [1]) self.assertEqual(state, [1])
else: else:
...@@ -268,7 +267,7 @@ class FileContextTestCase(unittest.TestCase): ...@@ -268,7 +267,7 @@ class FileContextTestCase(unittest.TestCase):
with open(tfn, "r") as f: with open(tfn, "r") as f:
self.failIf(f.closed) self.failIf(f.closed)
self.assertEqual(f.read(), "Booh\n") self.assertEqual(f.read(), "Booh\n")
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.failUnless(f.closed) self.failUnless(f.closed)
else: else:
...@@ -289,7 +288,7 @@ class LockContextTestCase(unittest.TestCase): ...@@ -289,7 +288,7 @@ class LockContextTestCase(unittest.TestCase):
try: try:
with lock: with lock:
self.failUnless(locked()) self.failUnless(locked())
1/0 1 // 0
except ZeroDivisionError: except ZeroDivisionError:
self.failIf(locked()) self.failIf(locked())
else: else:
...@@ -333,5 +332,6 @@ class LockContextTestCase(unittest.TestCase): ...@@ -333,5 +332,6 @@ class LockContextTestCase(unittest.TestCase):
def test_main(): def test_main():
test_support.run_unittest(__name__) test_support.run_unittest(__name__)
if __name__ == "__main__": if __name__ == "__main__":
test_main() test_main()
# Simple test suite for Cookie.py # Simple test suite for Cookie.py
from test.test_support import run_unittest, run_doctest from test.test_support import run_unittest, run_doctest, check_warnings
import unittest import unittest
import Cookie import Cookie
import warnings
warnings.filterwarnings("ignore",
".* class is insecure.*",
DeprecationWarning)
class CookieTests(unittest.TestCase): class CookieTests(unittest.TestCase):
# Currently this only tests SimpleCookie # Currently this only tests SimpleCookie
...@@ -86,7 +82,9 @@ class CookieTests(unittest.TestCase): ...@@ -86,7 +82,9 @@ class CookieTests(unittest.TestCase):
def test_main(): def test_main():
run_unittest(CookieTests) run_unittest(CookieTests)
run_doctest(Cookie) with check_warnings(('.+Cookie class is insecure; do not use it',
DeprecationWarning)):
run_doctest(Cookie)
if __name__ == '__main__': if __name__ == '__main__':
test_main() test_main()
...@@ -7,7 +7,7 @@ import_module('_ctypes') ...@@ -7,7 +7,7 @@ import_module('_ctypes')
def test_main(): def test_main():
with _check_py3k_warnings(("buffer.. not supported", DeprecationWarning), with _check_py3k_warnings(("buffer.. not supported", DeprecationWarning),
("classic (int|long) division", DeprecationWarning)): ("classic (int|long) division", DeprecationWarning),):
import ctypes.test import ctypes.test
skipped, testcases = ctypes.test.get_tests(ctypes.test, "test_*.py", verbosity=0) skipped, testcases = ctypes.test.get_tests(ctypes.test, "test_*.py", verbosity=0)
suites = [unittest.makeSuite(t) for t in testcases] suites = [unittest.makeSuite(t) for t in testcases]
......
import __builtin__ import __builtin__
import sys
import types import types
import unittest import unittest
import warnings
from copy import deepcopy from copy import deepcopy
from test import test_support from test import test_support
...@@ -58,15 +58,6 @@ class OperatorsTest(unittest.TestCase): ...@@ -58,15 +58,6 @@ class OperatorsTest(unittest.TestCase):
expr = '%s a' % expr expr = '%s a' % expr
self.unops[name] = expr self.unops[name] = expr
def setUp(self):
self.original_filters = warnings.filters[:]
warnings.filterwarnings("ignore",
r'complex divmod\(\), // and % are deprecated$',
DeprecationWarning, r'(<string>|%s)$' % __name__)
def tearDown(self):
warnings.filters = self.original_filters
def unop_test(self, a, res, expr="len(a)", meth="__len__"): def unop_test(self, a, res, expr="len(a)", meth="__len__"):
d = {'a': a} d = {'a': a}
self.assertEqual(eval(expr, d), res) self.assertEqual(eval(expr, d), res)
...@@ -4433,10 +4424,14 @@ class PTypesLongInitTest(unittest.TestCase): ...@@ -4433,10 +4424,14 @@ class PTypesLongInitTest(unittest.TestCase):
def test_main(): def test_main():
with test_support._check_py3k_warnings( deprecations = [(r'complex divmod\(\), // and % are deprecated$',
DeprecationWarning)]
if sys.py3kwarning:
deprecations += [
("classic (int|long) division", DeprecationWarning), ("classic (int|long) division", DeprecationWarning),
("coerce.. not supported", DeprecationWarning), ("coerce.. not supported", DeprecationWarning),
(".+__(get|set|del)slice__ has been removed", DeprecationWarning)): (".+__(get|set|del)slice__ has been removed", DeprecationWarning)]
with test_support.check_warnings(*deprecations):
# Run all local test cases, with PTypesLongInitTest first. # Run all local test cases, with PTypesLongInitTest first.
test_support.run_unittest(PTypesLongInitTest, OperatorsTest, test_support.run_unittest(PTypesLongInitTest, OperatorsTest,
ClassPropertiesAndMethods, DictProxyTests) ClassPropertiesAndMethods, DictProxyTests)
......
...@@ -3,9 +3,9 @@ ...@@ -3,9 +3,9 @@
Test script for doctest. Test script for doctest.
""" """
import sys
from test import test_support from test import test_support
import doctest import doctest
import warnings
# NOTE: There are some additional tests relating to interaction with # NOTE: There are some additional tests relating to interaction with
# zipimport in the test_zipimport_support test module. # zipimport in the test_zipimport_support test module.
...@@ -2511,12 +2511,12 @@ def test_main(): ...@@ -2511,12 +2511,12 @@ def test_main():
test_support.run_doctest(doctest, verbosity=True) test_support.run_doctest(doctest, verbosity=True)
from test import test_doctest from test import test_doctest
with test_support._check_py3k_warnings( # Ignore all warnings about the use of class Tester in this module.
("backquote not supported", SyntaxWarning), deprecations = [("class Tester is deprecated", DeprecationWarning)]
("execfile.. not supported", DeprecationWarning)): if sys.py3kwarning:
# Ignore all warnings about the use of class Tester in this module. deprecations += [("backquote not supported", SyntaxWarning),
warnings.filterwarnings("ignore", "class Tester is deprecated", ("execfile.. not supported", DeprecationWarning)]
DeprecationWarning) with test_support.check_warnings(*deprecations):
# Check the doctest cases defined here: # Check the doctest cases defined here:
test_support.run_doctest(test_doctest, verbosity=True) test_support.run_doctest(test_doctest, verbosity=True)
......
...@@ -4,9 +4,9 @@ import os ...@@ -4,9 +4,9 @@ import os
import sys import sys
import unittest import unittest
import pickle, cPickle import pickle, cPickle
import warnings
from test.test_support import TESTFN, unlink, run_unittest, captured_output from test.test_support import (TESTFN, unlink, run_unittest, captured_output,
check_warnings)
from test.test_pep352 import ignore_deprecation_warnings from test.test_pep352 import ignore_deprecation_warnings
# XXX This is not really enough, each *operation* should be tested! # XXX This is not really enough, each *operation* should be tested!
...@@ -308,23 +308,19 @@ class ExceptionTests(unittest.TestCase): ...@@ -308,23 +308,19 @@ class ExceptionTests(unittest.TestCase):
# Accessing BaseException.message and relying on its value set by # Accessing BaseException.message and relying on its value set by
# BaseException.__init__ triggers a deprecation warning. # BaseException.__init__ triggers a deprecation warning.
exc = BaseException("foo") exc = BaseException("foo")
with warnings.catch_warnings(record=True) as w: with check_warnings(("BaseException.message has been deprecated "
self.assertEquals(exc.message, "foo") "as of Python 2.6", DeprecationWarning)) as w:
self.assertEquals(len(w), 1) self.assertEqual(exc.message, "foo")
self.assertEquals(w[0].category, DeprecationWarning) self.assertEqual(len(w.warnings), 1)
self.assertEquals(
str(w[0].message),
"BaseException.message has been deprecated as of Python 2.6")
def testRegularMessageAttribute(self): def testRegularMessageAttribute(self):
# Accessing BaseException.message after explicitly setting a value # Accessing BaseException.message after explicitly setting a value
# for it does not trigger a deprecation warning. # for it does not trigger a deprecation warning.
exc = BaseException("foo") exc = BaseException("foo")
exc.message = "bar" exc.message = "bar"
with warnings.catch_warnings(record=True) as w: with check_warnings(quiet=True) as w:
self.assertEquals(exc.message, "bar") self.assertEqual(exc.message, "bar")
self.assertEquals(len(w), 0) self.assertEqual(len(w.warnings), 0)
# Deleting the message is supported, too. # Deleting the message is supported, too.
del exc.message del exc.message
self.assertRaises(AttributeError, getattr, exc, "message") self.assertRaises(AttributeError, getattr, exc, "message")
......
...@@ -2,9 +2,8 @@ ...@@ -2,9 +2,8 @@
from test.test_support import run_unittest, check_syntax_error from test.test_support import run_unittest, check_syntax_error
import unittest import unittest
import warnings import warnings
warnings.filterwarnings("error", module="<test string>")
class GlobalTests(unittest.TestCase): class GlobalTests(unittest.TestCase):
...@@ -45,7 +44,9 @@ x = 2 ...@@ -45,7 +44,9 @@ x = 2
def test_main(): def test_main():
run_unittest(GlobalTests) with warnings.catch_warnings():
warnings.filterwarnings("error", module="<test string>")
run_unittest(GlobalTests)
if __name__ == "__main__": if __name__ == "__main__":
test_main() test_main()
...@@ -6,9 +6,6 @@ This is complex because of changes due to PEP 237. ...@@ -6,9 +6,6 @@ This is complex because of changes due to PEP 237.
import unittest import unittest
from test import test_support from test import test_support
import warnings
warnings.filterwarnings("ignore", "hex/oct constants", FutureWarning,
"<string>")
class TestHexOctBin(unittest.TestCase): class TestHexOctBin(unittest.TestCase):
......
...@@ -9,7 +9,7 @@ import array ...@@ -9,7 +9,7 @@ import array
import threading import threading
import random import random
import unittest import unittest
from itertools import chain, cycle from itertools import cycle, count
from test import test_support from test import test_support
import codecs import codecs
......
...@@ -21,14 +21,8 @@ class TestMacostools(unittest.TestCase): ...@@ -21,14 +21,8 @@ class TestMacostools(unittest.TestCase):
rfp.close() rfp.close()
def tearDown(self): def tearDown(self):
try: test_support.unlink(test_support.TESTFN)
os.unlink(test_support.TESTFN) test_support.unlink(TESTFN2)
except:
pass
try:
os.unlink(TESTFN2)
except:
pass
def compareData(self): def compareData(self):
fp = open(test_support.TESTFN, 'r') fp = open(test_support.TESTFN, 'r')
...@@ -51,36 +45,25 @@ class TestMacostools(unittest.TestCase): ...@@ -51,36 +45,25 @@ class TestMacostools(unittest.TestCase):
def test_touched(self): def test_touched(self):
# This really only tests that nothing unforeseen happens. # This really only tests that nothing unforeseen happens.
import warnings with test_support.check_warnings(('macostools.touched*',
with warnings.catch_warnings(): DeprecationWarning), quiet=True):
warnings.filterwarnings('ignore', 'macostools.touched*',
DeprecationWarning)
macostools.touched(test_support.TESTFN) macostools.touched(test_support.TESTFN)
if sys.maxint < 2**32: if sys.maxint < 2**32:
def test_copy(self): def test_copy(self):
try: test_support.unlink(TESTFN2)
os.unlink(TESTFN2)
except:
pass
macostools.copy(test_support.TESTFN, TESTFN2) macostools.copy(test_support.TESTFN, TESTFN2)
self.assertEqual(self.compareData(), '') self.assertEqual(self.compareData(), '')
if sys.maxint < 2**32: if sys.maxint < 2**32:
def test_mkalias(self): def test_mkalias(self):
try: test_support.unlink(TESTFN2)
os.unlink(TESTFN2)
except:
pass
macostools.mkalias(test_support.TESTFN, TESTFN2) macostools.mkalias(test_support.TESTFN, TESTFN2)
fss, _, _ = Carbon.File.ResolveAliasFile(TESTFN2, 0) fss, _, _ = Carbon.File.ResolveAliasFile(TESTFN2, 0)
self.assertEqual(fss.as_pathname(), os.path.realpath(test_support.TESTFN)) self.assertEqual(fss.as_pathname(), os.path.realpath(test_support.TESTFN))
def test_mkalias_relative(self): def test_mkalias_relative(self):
try: test_support.unlink(TESTFN2)
os.unlink(TESTFN2)
except:
pass
# If the directory doesn't exist, then chances are this is a new # If the directory doesn't exist, then chances are this is a new
# install of Python so don't create it since the user might end up # install of Python so don't create it since the user might end up
# running ``sudo make install`` and creating the directory here won't # running ``sudo make install`` and creating the directory here won't
......
...@@ -2,7 +2,7 @@ import unittest ...@@ -2,7 +2,7 @@ import unittest
import __builtin__ import __builtin__
import exceptions import exceptions
import warnings import warnings
from test.test_support import run_unittest from test.test_support import run_unittest, check_warnings
import os import os
import sys import sys
from platform import system as platform_system from platform import system as platform_system
...@@ -15,14 +15,13 @@ if sys.py3kwarning: ...@@ -15,14 +15,13 @@ if sys.py3kwarning:
"catching classes that don't inherit from BaseException is not allowed", "catching classes that don't inherit from BaseException is not allowed",
"__get(item|slice)__ not supported for exception classes"]) "__get(item|slice)__ not supported for exception classes"])
_deprecations = [(msg, DeprecationWarning) for msg in DEPRECATION_WARNINGS]
# Silence Py3k and other deprecation warnings # Silence Py3k and other deprecation warnings
def ignore_deprecation_warnings(func): def ignore_deprecation_warnings(func):
"""Ignore the known DeprecationWarnings.""" """Ignore the known DeprecationWarnings."""
def wrapper(*args, **kw): def wrapper(*args, **kw):
with warnings.catch_warnings(): with check_warnings(*_deprecations, quiet=True):
warnings.resetwarnings()
for text in DEPRECATION_WARNINGS:
warnings.filterwarnings("ignore", text, DeprecationWarning)
return func(*args, **kw) return func(*args, **kw)
return wrapper return wrapper
...@@ -139,16 +138,8 @@ class ExceptionClassTests(unittest.TestCase): ...@@ -139,16 +138,8 @@ class ExceptionClassTests(unittest.TestCase):
def test_message_deprecation(self): def test_message_deprecation(self):
# As of Python 2.6, BaseException.message is deprecated. # As of Python 2.6, BaseException.message is deprecated.
with warnings.catch_warnings(): with check_warnings(("", DeprecationWarning)):
warnings.resetwarnings() BaseException().message
warnings.filterwarnings('error')
try:
BaseException().message
except DeprecationWarning:
pass
else:
self.fail("BaseException.message not deprecated")
class UsageTests(unittest.TestCase): class UsageTests(unittest.TestCase):
......
import sys from test.test_support import verbose, run_unittest, import_module
sys.path = ['.'] + sys.path
from test.test_support import verbose, run_unittest
import re import re
from re import Scanner from re import Scanner
import sys, os, traceback import sys, os, traceback
...@@ -450,11 +447,8 @@ class ReTests(unittest.TestCase): ...@@ -450,11 +447,8 @@ class ReTests(unittest.TestCase):
import cPickle import cPickle
self.pickle_test(cPickle) self.pickle_test(cPickle)
# old pickles expect the _compile() reconstructor in sre module # old pickles expect the _compile() reconstructor in sre module
import warnings import_module("sre", deprecated=True)
with warnings.catch_warnings(): from sre import _compile
warnings.filterwarnings("ignore", "The sre module is deprecated",
DeprecationWarning)
from sre import _compile
def pickle_test(self, pickle): def pickle_test(self, pickle):
oldpat = re.compile('a(?:b|(c|e){1,2}?|d)+?(.)') oldpat = re.compile('a(?:b|(c|e){1,2}?|d)+?(.)')
......
...@@ -3,12 +3,11 @@ ...@@ -3,12 +3,11 @@
from test import test_support from test import test_support
import sys import sys
import unittest import unittest
import warnings
class TestUntestedModules(unittest.TestCase): class TestUntestedModules(unittest.TestCase):
def test_at_least_import_untested_modules(self): def test_at_least_import_untested_modules(self):
with warnings.catch_warnings(): with test_support.check_warnings(quiet=True):
import CGIHTTPServer import CGIHTTPServer
import audiodev import audiodev
import bdb import bdb
......
...@@ -44,9 +44,8 @@ def find_block(block, name): ...@@ -44,9 +44,8 @@ def find_block(block, name):
class SymtableTest(unittest.TestCase): class SymtableTest(unittest.TestCase):
with warnings.catch_warnings(): with test_support.check_warnings(
# Ignore warnings about "from blank import *" ("import \* only allowed at module level", SyntaxWarning)):
warnings.simplefilter("ignore", SyntaxWarning)
top = symtable.symtable(TEST_CODE, "?", "exec") top = symtable.symtable(TEST_CODE, "?", "exec")
# These correspond to scopes in TEST_CODE # These correspond to scopes in TEST_CODE
Mine = find_block(top, "Mine") Mine = find_block(top, "Mine")
......
...@@ -193,10 +193,8 @@ class urlretrieveNetworkTests(unittest.TestCase): ...@@ -193,10 +193,8 @@ class urlretrieveNetworkTests(unittest.TestCase):
def test_main(): def test_main():
test_support.requires('network') test_support.requires('network')
from warnings import filterwarnings, catch_warnings with test_support.check_py3k_warnings(
with catch_warnings(): ("urllib.urlopen.. has been removed", DeprecationWarning)):
filterwarnings('ignore', '.*urllib\.urlopen.*Python 3.0',
DeprecationWarning)
test_support.run_unittest(URLTimeoutTest, test_support.run_unittest(URLTimeoutTest,
urlopenNetworkTests, urlopenNetworkTests,
urlretrieveNetworkTests) urlretrieveNetworkTests)
......
...@@ -620,14 +620,21 @@ class CatchWarningTests(BaseTest): ...@@ -620,14 +620,21 @@ class CatchWarningTests(BaseTest):
with test_support.check_warnings(('foo', UserWarning)): with test_support.check_warnings(('foo', UserWarning)):
wmod.warn("foo") wmod.warn("foo")
with self.assertRaises(AssertionError): try:
with test_support.check_warnings(('', RuntimeWarning)): with test_support.check_warnings(('', RuntimeWarning)):
# defaults to quiet=False with argument # defaults to quiet=False with argument
pass pass
with self.assertRaises(AssertionError): except AssertionError:
pass
else:
self.fail("Dind't raise AssertionError")
try:
with test_support.check_warnings(('foo', RuntimeWarning)): with test_support.check_warnings(('foo', RuntimeWarning)):
wmod.warn("foo") wmod.warn("foo")
except AssertionError:
pass
else:
self.fail("Dind't raise AssertionError")
class CCatchWarningTests(CatchWarningTests): class CCatchWarningTests(CatchWarningTests):
module = c_warnings module = c_warnings
......
...@@ -172,12 +172,14 @@ class ZipSupportTests(ImportHooksBaseTestCase): ...@@ -172,12 +172,14 @@ class ZipSupportTests(ImportHooksBaseTestCase):
test_zipped_doctest.test_unittest_reportflags, test_zipped_doctest.test_unittest_reportflags,
] ]
# Needed for test_DocTestParser and test_debug # Needed for test_DocTestParser and test_debug
with test.test_support._check_py3k_warnings( deprecations = [
("backquote not supported", SyntaxWarning),
("execfile.. not supported", DeprecationWarning)):
# Ignore all warnings about the use of class Tester in this module. # Ignore all warnings about the use of class Tester in this module.
warnings.filterwarnings("ignore", "class Tester is deprecated", ("class Tester is deprecated", DeprecationWarning)]
DeprecationWarning) if sys.py3kwarning:
deprecations += [
("backquote not supported", SyntaxWarning),
("execfile.. not supported", DeprecationWarning)]
with test.test_support.check_warnings(*deprecations):
for obj in known_good_tests: for obj in known_good_tests:
_run_object_doctest(obj, test_zipped_doctest) _run_object_doctest(obj, test_zipped_doctest)
......
Markdown is supported
0%
or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment