test ---  Python 回归测试包¶
注解
test 包只供 Python 内部使用。它的记录是为了让 Python 的核心开发者受益。我们不鼓励在 Python 标准库之外使用这个包,因为这里提到的代码在 Python 的不同版本之间可能会改变或被删除而不另行通知。
test 包包含了 Python 的所有回归测试,以及 test.support 和 test.regrtest 模块。  test.support 用于增强你的测试,而 test.regrtest 驱动测试套件。
test`包中每个名字以 ``test_` 开头的模块都是一个特定模块或功能的测试套件。所有新的测试应该使用 unittest 或 doctest 模块编写。一些旧的测试是使用“传统”的测试风格编写的,即比较打印出来的输出到 sys.stdout;这种测试风格被认为是过时的。
为 test 包编写单元测试¶
使用 unittest 模块的测试最好是遵循一些准则。 其中一条是测试模块的名称要以 test_ 打头并以被测试模块的名称结尾。 测试模块中的测试方法应当以 test_ 打头并以该方法所测试的内容的说明结尾。 这很有必要因为这样测试驱动程序就会将这些方法识别为测试方法。 此外,该方法不应当包括任何文档字符串。 应当使用注释 (例如 # Tests function returns only True or False) 来为测试方法提供文档说明。 这样做是因为文档字符串如果存在则会被打印出来因此无法指明正在运行哪个测试。
有一个基本模板经常会被使用:
import unittest
from test import support
class MyTestCase1(unittest.TestCase):
    # Only use setUp() and tearDown() if necessary
    def setUp(self):
        ... code to execute in preparation for tests ...
    def tearDown(self):
        ... code to execute to clean up after tests ...
    def test_feature_one(self):
        # Test feature one.
        ... testing code ...
    def test_feature_two(self):
        # Test feature two.
        ... testing code ...
    ... more test methods ...
class MyTestCase2(unittest.TestCase):
    ... same structure as MyTestCase1 ...
... more test classes ...
if __name__ == '__main__':
    unittest.main()
这种代码模式允许测试套件由 test.regrtest 运行,作为支持 unittest CLI 的脚本单独运行,或者通过 python -m unittest CLI 来运行。
回归测试的目标是尝试破坏代码。 这引出了一些需要遵循的准则:
- 测试套件应当测试所有的类、函数和常量。 这不仅包括要向外界展示的外部 API 也包括“私有”的代码。 
- 白盒测试(在编写测试时检查被测试的代码)是最推荐的。 黑盒测试(只测试已发布的用户接口)因不够完整而不能确保所有边界和边缘情况都被测试到。 
- 确保所有可能的值包括无效的值都被测试到。 这能确保不仅全部的有效值都可被接受而且不适当的值也能被正确地处理。 
- 消耗尽可能多的代码路径。 测试发生分支的地方从而调整输入以确保通过代码采取尽可能多的不同路径。 
- 为受测试的代码所发现的任何代码缺陷添加明确的测试。 这将确保如果代码在将来被改变错误也不会再次出现。 
- 确保在你的测试完成后执行清理(例如关闭并删除所有临时文件)。 
- 如果某个测试依赖于操作系统上的特定条件那么要在尝试测试之前先验证该条件是否已存在。 
- 尽可能少地导入模块并尽可能快地完成操作。 这可以最大限度地减少测试的外部依赖性并且还可以最大限度地减少导入模块带来的附带影响所导致的异常行为。 
- 尝试最大限度地重用代码。 在某些情况下,测试结果会因使用不同类型的输入这样的小细节而变化。 可通过一个指定输入的类来子类化一个基本测试类来最大限度地减少重复代码: - class TestFuncAcceptsSequencesMixin: func = mySuperWhammyFunction def test_func(self): self.func(self.arg) class AcceptLists(TestFuncAcceptsSequencesMixin, unittest.TestCase): arg = [1, 2, 3] class AcceptStrings(TestFuncAcceptsSequencesMixin, unittest.TestCase): arg = 'abc' class AcceptTuples(TestFuncAcceptsSequencesMixin, unittest.TestCase): arg = (1, 2, 3) - 当使用这种模式时,请记住所有继承自 - unittest.TestCase的类都会作为测试来运行。 上面例子中的- Mixin类没有任何数据所以其本身是无法运行的,因此它不是继承自- unittest.TestCase。
参见
- 测试驱动的开发
- Kent Beck 所著的阐述在实现代码之前编写驱动的书。 
使用命令行界面运行测试¶
通过使用 -m 选项 test 包可以作为脚本运行以驱动 Python 的回归测试套件: python -m test。 在内部,它使用 test.regrtest;之前 Python 版本所使用的 python -m test.regrtest 调用仍然有效。 运行该脚本自身会自动开始运行 test 包中的所有回归测试。 它通过在包中查找所有名称以 test_ 打头的模块,导入它们,并在有 test_main() 函数时执行它或是在没有 test_main 时通过 unittest.TestLoader.loadTestsFromModule 载入测试。 要执行的测试的名称也可以被传递给脚本。 指定一个单独的回归测试 (python -m test test_spam) 将使输出最小化并且只打印测试通过或失败的消息。
直接运行 test 将允许设置哪些资源可供测试使用。 你可以通过使用 -u 命令行选项来做到这一点。 指定 all 作为 -u 选项的值将启用所有可能的资源: python -m test -uall。 如果只需要一项资源(这是更为常见的情况),可以在 all 之后加一个以逗号分隔的列表来指明不需要的资源。 命令 python -m test -uall,-audio,-largefile 将运行 test 并使用除 audio 和 largefile 资源之外的所有资源。 要查看所有资源的列表和更多的命令行选项,请运行 python -m test -h。
另外一些执行回归测试的方式依赖于执行测试所在的系统平台。 在 Unix 上,你可以在构建 Python 的最高层级目录中运行 make test。 在 Windows 上,在你的 PCbuild 目录中执行 rt.bat 将运行所有的回归测试。
test.support --- 针对 Python 测试套件的工具¶
test.support 模块提供了对 Python 的回归测试套件的支持。
注解
test.support 不是一个公用模块。 这篇文档是为了帮助 Python 开发者编写测试。 此模块的 API 可能被改变而不顾及发行版本之间的向下兼容性问题。
此模块定义了以下异常:
- 
exception test.support.TestFailed¶
- 当一个测试失败时将被引发的异常。 此异常已被弃用而应改用基于 - unittest的测试以及- unittest.TestCase的断言方法。
- 
exception test.support.ResourceDenied¶
- unittest.SkipTest的子类。 当一个资源(例如网络连接)不可用时将被引发。 由- requires()函数所引发。
test.support 模块定义了以下常量:
- 
test.support.verbose¶
- 当启用详细输出时为 - True。 当需要有关运行中的测试的更详细信息时应当被选择。 verbose 是由- test.regrtest来设置的。
- 
test.support.is_jython¶
- 如果所运行的解释器是 Jython 时为 - True。
- 
test.support.is_android¶
- 如果系统是 Android 时为 - True。
- 
test.support.unix_shell¶
- 如果系统不是 Windows 时则为 shell 的路径;否则为 - None。
- 
test.support.FS_NONASCII¶
- 一个可通过 - os.fsencode()编码的非 ASCII 字符。
- 
test.support.TESTFN¶
- 设置为一个可以安全地用作临时文件名的名称。 任何被创建的临时文件都应当被关闭和撤销链接(移除)。 
- 
test.support.TESTFN_UNICODE¶
- 设置为用于临时文件的非 ASCII 名称。 
- 
test.support.TESTFN_ENCODING¶
- Set to - sys.getfilesystemencoding().
- 
test.support.TESTFN_UNENCODABLE¶
- 设置为一个应当在严格模式下不可使用文件系统编码格式来编码的文件名(str 类型)。 如果无法生成这样的文件名则可以为 - None。
- 
test.support.TESTFN_UNDECODABLE¶
- 设置为一个应当在严格模式下不可使用文件系统编码格式来编码的文件名(bytes 类型)。 如果无法生成这样的文件名则可以为 - None。
- 
test.support.TESTFN_NONASCII¶
- Set to a filename containing the - FS_NONASCIIcharacter.
- 
test.support.IPV6_ENABLED¶
- Set to - Trueif IPV6 is enabled on this host,- Falseotherwise.
- 
test.support.SAVEDCWD¶
- 设置为 - os.getcwd()。
- 
test.support.PGO¶
- 当测试对 PGO 没有用处时设置是否要跳过测试。 
- 
test.support.PIPE_MAX_SIZE¶
- 一个通常大于下层 OS 管道缓冲区大小的常量,以产生写入阻塞。 
- 
test.support.SOCK_MAX_SIZE¶
- 一个通常大于下层 OS 套接字缓冲区大小的常量,以产生写入阻塞。 
- 
test.support.TEST_SUPPORT_DIR¶
- 设为包含 - test.support的最高层级目录。
- 
test.support.TEST_HOME_DIR¶
- 设为 test 包的最高层级目录。 
- 
test.support.TEST_DATA_DIR¶
- 设为 test 包中的 - data目录。
- 
test.support.MAX_Py_ssize_t¶
- 设为大内存测试的 - sys.maxsize。
- 
test.support.max_memuse¶
- 通过 - set_memlimit()设为针对大内存测试的内存限制。 受- MAX_Py_ssize_t的限制。
- 
test.support.real_max_memuse¶
- 通过 - set_memlimit()设为针对大内存测试的内存限制。 不受- MAX_Py_ssize_t的限制。
- 
test.support.MISSING_C_DOCSTRINGS¶
- Return - Trueif running on CPython, not on Windows, and configuration not set with- WITH_DOC_STRINGS.
- 
test.support.HAVE_DOCSTRINGS¶
- Check for presence of docstrings. 
- 
test.support.TEST_HTTP_URL¶
- 定义用于网络测试的韧性 HTTP 服务器的 URL。 
- 
test.support.ALWAYS_EQ¶
- 等于任何对象的对象。 用于测试混合类型比较。 
- 
test.support.LARGEST¶
- 大于任何对象的对象(除了其自身)。 用于测试混合类型比较。 
- 
test.support.SMALLEST¶
- 小于任何对象的对象(除了其自身)。 用于测试混合类型比较。Used to test mixed type comparison. 
test.support 模块定义了以下函数:
- 
test.support.forget(module_name)¶
- 从 - sys.modules移除名为 module_name 的模块并删除该模块的已编译字节码文件。
- 
test.support.unload(name)¶
- 从 - sys.modules中删除 name。
- 
test.support.unlink(filename)¶
- Call - os.unlink()on filename. On Windows platforms, this is wrapped with a wait loop that checks for the existence fo the file.
- 
test.support.rmdir(filename)¶
- Call - os.rmdir()on filename. On Windows platforms, this is wrapped with a wait loop that checks for the existence of the file.
- 
test.support.rmtree(path)¶
- Call - shutil.rmtree()on path or call- os.lstat()and- os.rmdir()to remove a path and its contents. On Windows platforms, this is wrapped with a wait loop that checks for the existence of the files.
- 
test.support.make_legacy_pyc(source)¶
- 将 PEP 3147/PEP 488 pyc 文件移至旧版 pyc 位置并返回该旧版 pyc 文件的文件系统路径。 source 的值是源文件的文件系统路径。 它不必真实存在,但是 PEP 3147/488 pyc 文件必须存在。 
- 
test.support.is_resource_enabled(resource)¶
- 如果 resource 已启用并可用则返回 - True。 可用资源列表只有当- test.regrtest正在执行测试时才会被设置。
- 
test.support.python_is_optimized()¶
- 如果 Python 编译未使用 - -O0或- -Og则返回- True。
- 
test.support.with_pymalloc()¶
- 返回 - _testcapi.WITH_PYMALLOC。
- 
test.support.requires(resource, msg=None)¶
- 如果 resource 不可用则引发 - ResourceDenied。 如果该异常被引发则 msg 为传给- ResourceDenied的参数。 如果被- __name__为- '__main__'的函数调用则总是返回- True。 在测试由- test.regrtest执行时使用。
- 
test.support.system_must_validate_cert(f)¶
- Raise - unittest.SkipTeston TLS certification validation failures.
- 
test.support.sortdict(dict)¶
- 返回 dict 按键排序的 repr。 
- 
test.support.findfile(filename, subdir=None)¶
- 返回名为 filename 的文件的路径。 如果未找到匹配结果则返回 filename。 这并不等于失败因为它也算是该文件的路径。 - 设置 subdir 指明要用来查找文件的相对路径而不是直接在路径目录中查找。 
- 
test.support.create_empty_file(filename)¶
- 创建一个名为 filename 的空文件。 如果文件已存在,则清空其内容。 
- 
test.support.fd_count()¶
- 统计打开的文件描述符数量。 
- 
test.support.match_test(test)¶
- Match test to patterns set in - set_match_tests().
- 
test.support.set_match_tests(patterns)¶
- Define match test with regular expression patterns. 
- 
test.support.run_unittest(*classes)¶
- 执行传给函数的 - unittest.TestCase子类。 此函数会扫描类中带有- test_前缀的方法并单独执行这些测试。- 将字符串作为形参传递也是合法的;这些形参应为 - sys.modules中的键。 每个被关联的模块将由- unittest.TestLoader.loadTestsFromModule()执行扫描。 这通常出现在以下- test_main()函数中:- def test_main(): support.run_unittest(__name__) - 这将运行在指定模块中定义的所有测试。 
- 
test.support.run_doctest(module, verbosity=None, optionflags=0)¶
- 在给定的 module 上运行 - doctest.testmod()。 返回- (failure_count, test_count)。- 如果 verbosity 为 - None,- doctest.testmod()运行时的消息详细程度将设为- verbose。 否则,运行时的消息详细程度将设为- None。 optionflags 将作为- optionflags传给- doctest.testmod()。
- 
test.support.setswitchinterval(interval)¶
- 将 - sys.setswitchinterval()设为给定的 interval。 请为 Android 系统定义一个最小间隔以防止系统挂起。
- 
test.support.check_impl_detail(**guards)¶
- Use this check to guard CPython's implementation-specific tests or to run them only on the implementations guarded by the arguments: - check_impl_detail() # Only on CPython (default). check_impl_detail(jython=True) # Only on Jython. check_impl_detail(cpython=False) # Everywhere except CPython. 
- 
test.support.check_warnings(*filters, quiet=True)¶
- 一个用于 - warnings.catch_warnings()以更容易地测试特定警告是否被正确引发的便捷包装器。 它大致等价于调用- warnings.catch_warnings(record=True)并将- warnings.simplefilter()设为- always并附带自动验证已记录结果的选项。- check_warnings接受- ("message regexp", WarningCategory)形式的 2 元组作为位置参数。 如果提供了一个或多个 filters,或者如果可选的关键字参数 quiet 为- False,则它会检查确认警告是符合预期的:每个已指定的过滤器必须匹配至少一个被包围的代码或测试失败时引发的警告,并且如果有任何未能匹配已指定过滤器的警告被引发则测试将失败。 要禁用这些检查中的第一项,请将 quiet 设为- True。- 如果未指定任何参数,则默认为: - check_warnings(("", Warning), quiet=True) - 在此情况下所有警告都会被捕获而不会引发任何错误。 - 在进入该上下文管理器时,将返回一个 - WarningRecorder实例。 来自- catch_warnings()的下层警告列表可通过该记录器对象的- warnings属性来访问。 作为一个便捷方式,该对象中代表最近的警告的属性也可通过该记录器对象来直接访问(参见以下示例)。 如果未引发任何警告,则在其他情况下预期代表一个警告的任何对象属性都将返回- None。- 该记录器对象还有一个 - reset()方法,该方法会清空警告列表。- 该上下文管理器被设计为像这样来使用: - with check_warnings(("assertion is always true", SyntaxWarning), ("", UserWarning)): exec('assert(False, "Hey!")') warnings.warn(UserWarning("Hide me!")) - 在此情况下如果两个警告都未被引发,或是引发了其他的警告,则 - check_warnings()将会引发一个错误。- 当一个测试需要更深入地查看这些警告,而不是仅仅检查它们是否发生时,可以使用这样的代码: - with check_warnings(quiet=True) as w: warnings.warn("foo") assert str(w.args[0]) == "foo" warnings.warn("bar") assert str(w.args[0]) == "bar" assert str(w.warnings[0].args[0]) == "foo" assert str(w.warnings[1].args[0]) == "bar" w.reset() assert len(w.warnings) == 0 - 在这里所有的警告都将被捕获,而测试代码会直接测试被捕获的警告。 - 在 3.2 版更改: 新增可选参数 filters 和 quiet。 
- 
test.support.check_no_resource_warning(testcase)¶
- 检测是否没有任何 - ResourceWarning被引发的上下文管理器。 你必须在该上下文管理器结束之前移除可能发出- ResourceWarning的对象。
- 
test.support.set_memlimit(limit)¶
- 针对大内存测试设置 - max_memuse和- real_max_memuse的值。
- 
test.support.record_original_stdout(stdout)¶
- 存放来自 stdout 的值。 它会在回归测试开始时处理 stdout。 
- 
test.support.get_original_stdout()¶
- 返回 - record_original_stdout()所设置的原始 stdout 或者如果未设置则为- sys.stdout。
- 
test.support.strip_python_strerr(stderr)¶
- Strip the stderr of a Python process from potential debug output emitted by the interpreter. This will typically be run on the result of - subprocess.Popen.communicate().
- 
test.support.args_from_interpreter_flags()¶
- 返回在 - sys.flags和- sys.warnoptions中重新产生当前设置的命令行参数列表。
- 
test.support.optim_args_from_interpreter_flags()¶
- 返回在 - sys.flags中重新产生当前优化设置的命令行参数列表。
- 
test.support.captured_stdin()¶
- 
test.support.captured_stdout()¶
- 
test.support.captured_stderr()¶
- 使用 - io.StringIO对象临时替换指定流的上下文管理器。- 使用输出流的示例: - with captured_stdout() as stdout, captured_stderr() as stderr: print("hello") print("error", file=sys.stderr) assert stdout.getvalue() == "hello\n" assert stderr.getvalue() == "error\n" - 使用输入流的示例: - with captured_stdin() as stdin: stdin.write('hello\n') stdin.seek(0) # call test code that consumes from sys.stdin captured = input() self.assertEqual(captured, "hello") 
- 
test.support.temp_dir(path=None, quiet=False)¶
- 一个在 path 上创建临时目录并输出该目录的上下文管理器。 - 如果 path 为 - None,则会使用- tempfile.mkdtemp()来创建临时目录。 如果 quiet 为- False,则该上下文管理器在发生错误时会引发一个异常。 在其他情况下,如果 path 已被指定并且无法创建,则只会发出一个警告。
- 
test.support.change_cwd(path, quiet=False)¶
- 一个临时性地将当前工作目录改为 path 并输出该目录的上下文管理器。 - 如果 quiet 为 - False,此上下文管理器将在发生错误时引发一个异常。 在其他情况下,它将只发出一个警告并将当前工作目录保持原状。
- 
test.support.temp_cwd(name='tempcwd', quiet=False)¶
- 一个临时性地创建新目录并改变当前工作目录(CWD)的上下文管理器。 - 临时性地改变当前工作目录之前此上下文管理器会在当前目录下创建一个名为 name 的临时目录。 如果 name 为 - None,则会使用- tempfile.mkdtemp()创建临时目录。- 如果 quiet 为 - False并且无法创建或修改 CWD,则会引发一个错误。 在其他情况下,只会引发一个警告并使用原始 CWD。
- 
test.support.temp_umask(umask)¶
- 一个临时性地设置进程掩码的上下文管理器。 
- 
test.support.transient_internet(resource_name, *, timeout=30.0, errnos=())¶
- A context manager that raises - ResourceDeniedwhen various issues with the internet connection manifest themselves as exceptions.
- 
test.support.disable_faulthandler()¶
- A context manager that replaces - sys.stderrwith- sys.__stderr__.
- 
test.support.gc_collect()¶
- 强制收集尽可能多的对象。 这是有必要的因为垃圾回收器并不能保证及时回收资源。 这意味着 - __del__方法的调用可能会晚于预期而弱引用的存活长于预期。
- 
test.support.disable_gc()¶
- A context manager that disables the garbage collector upon entry and reenables it upon exit. 
- 
test.support.swap_attr(obj, attr, new_val)¶
- 上下文管理器用一个新对象来交换一个属性。 - 用法: - with swap_attr(obj, "attr", 5): ... - 这将把 - obj.attr设为 5 并在- with语句块内保持,在语句块结束时恢复旧值。 如果- attr不存在于- obj中,它将被创建并在语句块结束时被删除。- 旧值 (或者如果不存在旧值则为 - None) 将被赋给 "as" 子句的目标,如果存在子句的话。
- 
test.support.swap_item(obj, attr, new_val)¶
- 上下文件管理器用一个新对象来交换一个条目。 - 用法: - with swap_item(obj, "item", 5): ... - 这将把 - obj["item"]设为 5 并在- with语句块内保持,在语句块结束时恢复旧值。 如果- item不存在于- obj中,它将被创建并在语句块结束时被删除。- 旧值 (或者如果不存在旧值则为 - None) 将被赋给 "as" 子句的目标,如果存在子句的话。
- 
test.support.wait_threads_exit(timeout=60.0)¶
- 等待直到 - with语句中所有已创建线程退出的上下文管理器。
- 
test.support.start_threads(threads, unlock=None)¶
- Context manager to start threads. It attempts to join the threads upon exit. 
- 
test.support.calcobjsize(fmt)¶
- Return - struct.calcsize()for- nP{fmt}0nor, if- gettotalrefcountexists,- 2PnP{fmt}0P.
- 
test.support.calcvobjsize(fmt)¶
- Return - struct.calcsize()for- nPn{fmt}0nor, if- gettotalrefcountexists,- 2PnPn{fmt}0P.
- 
test.support.checksizeof(test, o, size)¶
- 对于测试用例 test,断言 o 的 - sys.getsizeof加 GC 头的大小等于 size。
- 
test.support.can_symlink()¶
- 如果操作系统支持符号链接则返回 - True,否则返回- False。
- 
test.support.can_xattr()¶
- 如果操作系统支持 xattr 支返回 - True,否则返回- False。
- 
@test.support.skip_unless_symlink¶
- 一个用于运行需要符号链接支持的测试的装饰器。 
- 
@test.support.skip_unless_xattr¶
- 一个用于运行需要 xattr 支持的测试的装饰器。 
- 
@test.support.skip_unless_bind_unix_socket¶
- A decorator for running tests that require a functional bind() for Unix sockets. 
- 
@test.support.anticipate_failure(condition)¶
- 一个有条件地用 - unittest.expectedFailure()来标记测试的装饰器。 任何对此装饰器的使用都应当具有标识相应追踪事项的有关联注释。
- 
@test.support.run_with_locale(catstr, *locales)¶
- 一个在不同语言区域下运行函数的装饰器,并在其结束后正确地重置语言区域。 catstr 是字符串形式的语言区域类别 (例如 - "LC_ALL")。 传入的 locales 将依次被尝试,并将使用第一个有效的语言区域。
- 
@test.support.run_with_tz(tz)¶
- 一个在指定时区下运行函数的装饰器,并在其结束后正确地重置时区。 
- 
@test.support.requires_freebsd_version(*min_version)¶
- Decorator for the minimum version when running test on FreeBSD. If the FreeBSD version is less than the minimum, raise - unittest.SkipTest.
- 
@test.support.requires_linux_version(*min_version)¶
- Decorator for the minimum version when running test on Linux. If the Linux version is less than the minimum, raise - unittest.SkipTest.
- 
@test.support.requires_mac_version(*min_version)¶
- Decorator for the minimum version when running test on Mac OS X. If the MAC OS X version is less than the minimum, raise - unittest.SkipTest.
- 
@test.support.requires_IEEE_754¶
- 用于在非 non-IEEE 754 平台上跳过测试的装饰器。 
- 
@test.support.requires_resource(resource)¶
- 用于当 resource 不可用时跳过测试的装饰器。 
- 
@test.support.requires_docstrings¶
- 用于仅当 - HAVE_DOCSTRINGS时才运行测试的装饰器。
- 
@test.support.cpython_only(test)¶
- 表示仅适用于 CPython 的测试的装饰器。 
- 
@test.support.impl_detail(msg=None, **guards)¶
- 用于在 guards 上发起调用 - check_impl_detail()的装饰器。 如果调用返回- False,则使用 msg 作为跳过测试的原因。
- 
@test.support.no_tracing(func)¶
- 用于在测试期间临时关闭追踪的装饰器。 
- 
@test.support.refcount_test(test)¶
- 用于涉及引用计数的测试的装饰器。 如果测试不是由 CPython 运行则该装饰器不会运行测试。 在测试期间会取消设置任何追踪函数以由追踪函数导致的意外引用计数。 
- 
@test.support.reap_threads(func)¶
- 用于确保即使测试失败线程仍然会被清理的装饰器。 
- 
@test.support.bigmemtest(size, memuse, dry_run=True)¶
- 用于大内存测试的装饰器。 - size 是测试所请求的大小(以任意的,由测试解读的单位。) memuse 是测试的每单元字节数,或是对它的良好估计。 例如,一个需要两个字节缓冲区,每个缓冲区 4 GiB,则可以用 - @bigmemtest(size=_4G, memuse=2)来装饰。- size 参数通常作为额外参数传递给被测试的方法。 如果 dry_run 为 - True,则传给测试方法的值可能少于所请求的值。 如果 dry_run 为- False,则意味着当当未指定- -M时测试将不支持虚拟运行。
- 
@test.support.bigaddrspacetest(f)¶
- Decorator for tests that fill the address space. f is the function to wrap. 
- 
test.support.make_bad_fd()¶
- 通过打开并关闭临时文件来创建一个无效的文件描述符,并返回其描述器。 
- 
test.support.check_syntax_error(testcase, statement, errtext='', *, lineno=None, offset=None)¶
- 用于通过尝试编译 statement 来测试 statement 中的语法错误。 testcase 是测试的 - unittest实例。 errtext 是应当匹配所引发的- SyntaxError的字符串表示形式的正则表达式。 如果 lineno 不为- None,则与异常所在的行进行比较。 如果 offset 不为- None,则与异常的偏移量进行比较。
- 
test.support.check_syntax_warning(testcase, statement, errtext='', *, lineno=1, offset=None)¶
- 用于通过尝试编译 statement 来测试 statement 中的语法警告。 还会测试 - SyntaxWarning是否只发出了一次,以及它在转成错误时是否将被转换为- SyntaxError。 testcase 是用于测试的- unittest实例。 errtext 是应当匹配所发出的- SyntaxWarning以及所引发的- SyntaxError的字符串表示形式的正则表达式。 如果 lineno 不为- None,则与警告和异常所在的行进行比较。 如果 offset 不为- None,则与异常的偏移量进行比较。- 3.8 新版功能. 
- 
test.support.open_urlresource(url, *args, **kw)¶
- 打开 url。 如果打开失败,则引发 - TestFailed。
- 
test.support.import_module(name, deprecated=False, *, required_on())¶
- 此函数会导入并返回指定名称的模块。 不同于正常的导入,如果模块无法被导入则此函数将引发 - unittest.SkipTest。- 如果 deprecated 为 - True则在此导入操作期间模块和包的弃用消息会被屏蔽。 如果某个模块在特定平台上是必需的而在其他平台上是可选的,请为包含平台前缀的可迭代对象设置 required_on,此对象将与- sys.platform进行比对。- 3.1 新版功能. 
- 
test.support.import_fresh_module(name, fresh=(), blocked=(), deprecated=False)¶
- 此函数会在执行导入之前通过从 - sys.modules移除指定模块来导入并返回指定 Python 模块的新副本。 请注意这不同于- reload(),原来的模块不会受到此操作的影响。- fresh 是包含在执行导入之前还要从 - sys.modules缓存中移除的附加模块名称的可迭代对象。- blocked 是包含模块名称的可迭代对象,导入期间在模块缓存中它会被替换为 - None以确保尝试导入将引发- ImportError。- 指定名称的模块以及任何在 fresh 和 blocked 形参中指明的模块会在开始导入之前被保存并在全新导入完成时被重新插入到 - sys.modules中。- 如果 deprecated 为 - True则在此导入操作期间模块和包的弃用消息会被屏蔽。- 如果指定名称的模块无法被导入则此函数将引发 - ImportError。- 用法示例: - # Get copies of the warnings module for testing without affecting the # version being used by the rest of the test suite. One copy uses the # C implementation, the other is forced to use the pure Python fallback # implementation py_warnings = import_fresh_module('warnings', blocked=['_warnings']) c_warnings = import_fresh_module('warnings', fresh=['_warnings']) - 3.1 新版功能. 
- 
test.support.modules_setup()¶
- 返回 - sys.modules的副本。
- 
test.support.modules_cleanup(oldmodules)¶
- 移除 oldmodules 和 - encodings以外的模块以保留内部缓冲区。
- 
test.support.threading_setup()¶
- 返回当前线程计数和悬空线程的副本。 
- 
test.support.threading_cleanup(*original_values)¶
- 清理未在 original_values 中指定的线程。 被设计为如果有一个测试在后台离开正在运行的线程时会发出警告。 
- 
test.support.join_thread(thread, timeout=30.0)¶
- 在 timeout 秒之内合并一个 thread。 如果线程在 timeout 秒后仍然存活则引发 - AssertionError。
- 
test.support.reap_children()¶
- 只要有子进程启动就在 - test_main的末尾使用此函数。 这将有助于确保没有多余的子进程(僵尸)存在占用资源并在查找引用泄漏时造成问题。
- 
test.support.get_attribute(obj, name)¶
- 获取一个属性,如果引发了 - AttributeError则会引发- unittest.SkipTest。
- 
test.support.bind_port(sock, host=HOST)¶
- 将套接字绑定到一个空闲端口并返回端口号。 这依赖于瞬时端口以确保我们能使用一个未绑定端口。 这很重要因为可能会有许多测试同时运行,特别是在 buildbot 环境中。 如果 - sock.family为- AF_INET而- sock.type为- SOCK_STREAM,并且套接字上设置了- SO_REUSEADDR或- SO_REUSEPORT则此方法将引发异常。 测试绝不应该为 TCP/IP 套接字设置这些套接字选项。 唯一需要设置这些选项的情况是通过多个 UDP 套接字来测试组播。- 此外,如果 - SO_EXCLUSIVEADDRUSE套接字选项是可用的(例如在 Windows 上),它将在套接字上被设置。 这将阻止其他任何人在测试期间绑定到我们的主机/端口。
- 
test.support.bind_unix_socket(sock, addr)¶
- 绑定一个 unix 套接字,如果 - PermissionError被引发则会引发- unittest.SkipTest。
- 
test.support.catch_threading_exception()¶
- 使用 - threading.excepthook()来捕获- threading.Thread异常的上下文管理器。- Attributes set when an exception is catched: - exc_type
- exc_value
- exc_traceback
- thread
 - 参见 - threading.excepthook()文档。- 这些属性在上下文管理器退出时将被删除。 - 用法: - with support.catch_threading_exception() as cm: # code spawning a thread which raises an exception ... # check the thread exception, use cm attributes: # exc_type, exc_value, exc_traceback, thread ... # exc_type, exc_value, exc_traceback, thread attributes of cm no longer # exists at this point # (to avoid reference cycles) - 3.8 新版功能. 
- 
test.support.catch_unraisable_exception()¶
- 使用 - sys.unraisablehook()来捕获不可引发的异常的上下文管理器。- 存储异常值 ( - cm.unraisable.exc_value) 会创建一个引用循环。 引用循环将在上下文管理器退出时被显式地打破。- 存储对象 ( - cm.unraisable.object) 如果被设置为一个正在最终化的对象则可以恢复它。 退出上下文管理器将清除已存在对象。- 用法: - with support.catch_unraisable_exception() as cm: # code creating an "unraisable exception" ... # check the unraisable exception: use cm.unraisable ... # cm.unraisable attribute no longer exists at this point # (to break a reference cycle) - 3.8 新版功能. 
- 
test.support.find_unused_port(family=socket.AF_INET, socktype=socket.SOCK_STREAM)¶
- 返回一个应当适合绑定的未使用端口。 这是通过创建一个与 - sock形参相同协议族和类型的临时套接字来达成的 (默认为- AF_INET,- SOCK_STREAM),并将其绑定到指定的主机地址 (默认为- 0.0.0.0) 并将端口设为 0,以从 OS 引出一个未使用的瞬时端口。 这个临时套接字随后将被关闭并删除,然后返回该瞬时端口。- 这个方法或 - bind_port()应当被用于任何在测试期间需要绑定到特定端口的测试。 具体使用哪个取决于调用方代码是否会创建 Python 套接字,或者是否需要在构造器中提供或向外部程序提供未使用的端口(例如传给 openssl 的 s_server 模式的- -accept参数)。 在可能的情况下将总是优先使用- bind_port()而非- find_unused_port()。 不建议使用硬编码的端口因为将使测试的多个实例无法同时运行,这对 buildbot 来说是个问题。
- 
test.support.load_package_tests(pkg_dir, loader, standard_tests, pattern)¶
- 在测试包中使用的 - unittest- load_tests协议的通用实现。 pkg_dir 是包的根目录;loader, standard_tests 和 pattern 是- load_tests所期望的参数。 在简单的情况下,测试包的- __init__.py可以是下面这样的:- import os from test.support import load_package_tests def load_tests(*args): return load_package_tests(os.path.dirname(__file__), *args) 
- 
test.support.fs_is_case_insensitive(directory)¶
- 如果 directory 的文件系统对大小写敏感则返回 - True。
- 
test.support.detect_api_mismatch(ref_api, other_api, *, ignore=())¶
- 返回未在 other_api 中找到的 ref_api 的属性、函数或方法的集合,除去在 ignore 中指明的要在这个检查中忽略的已定义条目列表。 - 在默认情况下这将跳过以 '_' 打头的私有属性但包括所有魔术方法,即以 '__' 打头和结尾的方法。 - 3.5 新版功能. 
- 
test.support.patch(test_instance, object_to_patch, attr_name, new_value)¶
- 用 new_value 重载 object_to_patch.attr_name。并向 test_instance 添加清理过程以便为 attr_name 恢复 object_to_patch。 attr_name 应当是 object_to_patch 的一个有效属性。 
- 
test.support.run_in_subinterp(code)¶
- 在子解释器中运行 code。 如果启用了 - tracemalloc则会引发- unittest.SkipTest。
- 
test.support.check_free_after_iterating(test, iter, cls, args=())¶
- Assert that iter is deallocated after iterating. 
- 
test.support.missing_compiler_executable(cmd_names=[])¶
- 检查在 cmd_names 中列出名称的或者当 cmd_names 为空时所有的编译器可执行文件是否存在并返回第一个丢失的可执行文件或者如果未发现任何丢失则返回 - None。
- 
test.support.check__all__(test_case, module, name_of_module=None, extra=(), blacklist=())¶
- 断言 module 的 - __all__变量包含全部公共名称。- 模块的公共名称(它的 API)是根据它们是否符合公共名称惯例并在 module 中被定义来自动检测的。 - name_of_module 参数可以(用字符串或元组的形式)指定一个 API 可以被定义为什么模块以便被检测为一个公共 API。 一种这样的情况会在 module 从其他模块,可能是一个 C 后端 (如 - csv和它的- _csv) 导入其公共 API 的某一组成部分时发生。- extra 参数可以是一个在其他情况下不会被自动检测为 "public" 的名称集合,例如没有适当 - __module__属性的对象。 如果提供该参数,它将被添加到自动检测到的对象中。- The blacklist argument can be a set of names that must not be treated as part of the public API even though their names indicate otherwise. - 用法示例: - import bar import foo import unittest from test import support class MiscTestCase(unittest.TestCase): def test__all__(self): support.check__all__(self, foo) class OtherTestCase(unittest.TestCase): def test__all__(self): extra = {'BAR_CONST', 'FOO_CONST'} blacklist = {'baz'} # Undocumented name. # bar imports part of its API from _bar. support.check__all__(self, bar, ('bar', '_bar'), extra=extra, blacklist=blacklist) - 3.6 新版功能. 
- 
test.support.adjust_int_max_str_digits(max_digits)¶
- 此函数返回一个将在上下文生效期间改变全局 - sys.set_int_max_str_digits()设置的上下文管理器以便允许执行当在整数和字符串之间进行转换时需要对位数有不同限制的测试代码。- 3.8.14 新版功能. 
test.support 模块定义了以下的类:
- 
class test.support.TransientResource(exc, **kwargs)¶
- Instances are a context manager that raises - ResourceDeniedif the specified exception type is raised. Any keyword arguments are treated as attribute/value pairs to be compared against any exception raised within the- withstatement. Only if all pairs match properly against attributes on the exception is- ResourceDeniedraised.
- 
class test.support.EnvironmentVarGuard¶
- 用于临时性地设置或取消设置环境变量的类。 其实例可被用作上下文管理器并具有完整的字典接口用来查询/修改下层的 - os.environ。 在从上下文管理器退出之后所有通过此实例对环境变量进行的修改都将被回滚。- 在 3.1 版更改: 增加了字典接口。 
- 
EnvironmentVarGuard.set(envvar, value)¶
- 临时性地将环境变量 - envvar的值设为- value。
- 
EnvironmentVarGuard.unset(envvar)¶
- 临时性地取消设置环境变量 - envvar。
- 
class test.support.SuppressCrashReport¶
- 一个用于在预期会使子进程崩溃的测试时尽量防止弹出崩溃对话框的上下文管理器。 - 在 Windows 上,它会使用 SetErrorMode 来禁用 Windows 错误报告对话框。 - 在 UNIX 上,会使用 - resource.setrlimit()来将- resource.RLIMIT_CORE的软限制设为 0 以防止创建核心转储文件。- 在这两个平台上,旧值都将被 - __exit__()恢复。
- 
class test.support.CleanImport(*module_names)¶
- A context manager to force import to return a new module reference. This is useful for testing module-level behaviors, such as the emission of a DeprecationWarning on import. Example usage: - with CleanImport('foo'): importlib.import_module('foo') # New reference. 
- 
class test.support.DirsOnSysPath(*paths)¶
- A context manager to temporarily add directories to sys.path. - 这将创建 - sys.path的一个副本,添加作为位置参数传入的任何目录,然后在上下文结束时将- sys.path还原到副本的设置。- 请注意该上下文管理器代码块中 所有 对 - sys.path的修改,包括对象的替换,都将在代码块结束时被还原。
- 
class test.support.SaveSignals¶
- 用于保存和恢复由 Python 句柄的所注册的信号处理器。 
- 
class test.support.Matcher¶
- 
matches(self, d, **kwargs)¶
- 尝试对单个字典与所提供的参数进行匹配。 
 - 
match_value(self, k, dv, v)¶
- 尝试对单个已存储值 (dv) 与所提供的值 (v) 进行匹配。 
 
- 
- 
class test.support.WarningsRecorder¶
- 用于为单元测试记录警告的类。 请参阅以上 - check_warnings()的文档来了解详情。
- 
class test.support.TestHandler(logging.handlers.BufferingHandler)¶
- Class for logging support. 
- 
class test.support.FakePath(path)¶
- 简单的 path-like object。 它实现了 - __fspath__()方法,该方法将返回 path 参数。 如果 path 为一个异常,它将在- __fspath__()中被引发。
test.support.script_helper --- 用于 Python 执行测试工具¶
test.support.script_helper 模块提供了对 Python 的脚本执行测试的支持。
- 
test.support.script_helper.interpreter_requires_environment()¶
- 如果 - sys.executable interpreter需要环境变量才能运行则返回- True。- 这被设计用来配合 - @unittest.skipIf()以便标注需要使用to annotate tests that need to use an- assert_python*()函数来启动隔离模式 (- -I) 或无环境模式 (- -E) 子解释器的测试。- 正常的编译和测试运行不会进入这种状况但它在尝试从一个使用 Python 的当前家目录查找逻辑找不到明确的家目录的解释器运行标准库测试套件时有可能发生。 - 设置 - PYTHONHOME是一种能让大多数测试套件在这种情况下运行的办法。- PYTHONPATH或- PYTHONUSERSITE是另外两个可影响解释器是否能启动的常见环境变量。
- 
test.support.script_helper.run_python_until_end(*args, **env_vars)¶
- 基于 env_vars 设置环境以便在子进程中运行解释器。 它的值可以包括 - __isolated,- __cleanenv,- __cwd, and- TERM。
- 
test.support.script_helper.assert_python_ok(*args, **env_vars)¶
- 断言附带 args 和可选的环境变量 env_vars 运行解释器会成功 ( - rc == 0) 并返回一个- (return code, stdout, stderr)元组。- If the - __cleanenvkeyword is set, env_vars is used as a fresh environment.- Python is started in isolated mode (command line option - -I), except if the- __isolatedkeyword is set to- False.
- 
test.support.script_helper.assert_python_failure(*args, **env_vars)¶
- 断言附带 args 和可选的环境变量 env_vars 运行解释器会失败 ( - rc != 0) 并返回一个- (return code, stdout, stderr)元组。- 更多选项请参阅 - assert_python_ok()。
- 
test.support.script_helper.spawn_python(*args, stdout=subprocess.PIPE, stderr=subprocess.STDOUT, **kw)¶
- 使用给定的参数运行一个 Python 子进程。 - kw 是要传给 - subprocess.Popen()的额外关键字参数。 返回一个- subprocess.Popen对象。
- 
test.support.script_helper.kill_python(p)¶
- 运行给定的 - subprocess.Popen进程直至完成并返回 stdout。
- 
test.support.script_helper.make_script(script_dir, script_basename, source, omit_suffix=False)¶
- 在路径 script_dir 和 script_basename 中创建包含 source 的脚本。 如果 omit_suffix 为 - False,则为名称添加- .py。 返回完整的脚本路径。
- 
test.support.script_helper.make_zip_script(zip_dir, zip_basename, script_name, name_in_zip=None)¶
- 使用 zip_dir 和 zip_basename 创建扩展名为 - zip的 zip 文件,其中包含 script_name 中的文件。 name_in_zip 为归档名。 返回一个包含- (full path, full path of archive name)的元组。
- 
test.support.script_helper.make_pkg(pkg_dir, init_source='')¶
- 创建一个名为 pkg_dir 的目录,其中包含一个 - __init__文件并以 init_source 作为其内容。
- 
test.support.script_helper.make_zip_pkg(zip_dir, zip_basename, pkg_name, script_basename, source, depth=1, compiled=False)¶
- 使用 zip_dir 和 zip_basename 创建一个 zip 包目录,其中包含一个空的 - __init__文件和一个包含 source 的文件 script_basename。 如果 compiled 为- True,则两个源文件将被编译并添加到 zip 包中。 返回一个以完整 zip 路径和 zip 文件归档名为元素的元组。