如何运行目录中的所有 Python 单元测试?

2025-03-26 09:09:00
admin
原创
15
摘要:问题描述:我有一个包含 Python 单元测试的目录。每个单元测试模块的形式都是test_*.py。我试图创建一个名为all_test.py的文件,它将运行上述测试形式的所有文件并返回结果。到目前为止,我尝试了两种方法;都失败了。我将展示这两种方法,我希望有人知道如何正确地做到这一点。对于我的第一次勇敢尝试,...

问题描述:

我有一个包含 Python 单元测试的目录。每个单元测试模块的形式都是test_*.py。我试图创建一个名为all_test.py的文件,它将运行上述测试形式的所有文件并返回结果。到目前为止,我尝试了两种方法;都失败了。我将展示这两种方法,我希望有人知道如何正确地做到这一点。

对于我的第一次勇敢尝试,我想“如果我只导入文件中的所有测试模块,然后调用这个unittest.main()小玩意,它就会起作用,对吗?”好吧,事实证明我错了。

import glob
import unittest

testSuite = unittest.TestSuite()
test_file_strings = glob.glob('test_*.py')
module_strings = [str[0:len(str)-3] for str in test_file_strings]

if __name__ == "__main__":
     unittest.main()

这没有起作用,我得到的结果是:

$ python all_test.py 

----------------------------------------------------------------------
Ran 0 tests in 0.000s

OK

对于我的第二次尝试,我想,好吧,也许我会尝试以更“手动”的方式完成整个测试。所以我尝试这样做:

import glob
import unittest

testSuite = unittest.TestSuite()
test_file_strings = glob.glob('test_*.py')
module_strings = [str[0:len(str)-3] for str in test_file_strings]
[__import__(str) for str in module_strings]
suites = [unittest.TestLoader().loadTestsFromName(str) for str in module_strings]
[testSuite.addTest(suite) for suite in suites]
print testSuite 

result = unittest.TestResult()
testSuite.run(result)
print result

#Ok, at this point I have a result
#How do I display it as the normal unit test command line output?
if __name__ == "__main__":
    unittest.main()

这也不起作用,但是看起来很接近!

$ python all_test.py 
<unittest.TestSuite tests=[<unittest.TestSuite tests=[<unittest.TestSuite tests=[<test_main.TestMain testMethod=test_respondes_to_get>]>]>]>
<unittest.TestResult run=1 errors=0 failures=0>

----------------------------------------------------------------------
Ran 0 tests in 0.000s

OK

我似乎有某种套件,我可以执行结果。我有点担心它说我只有run=1,似乎应该是run=2,但这是进步。但我如何将结果传递并显示给主程序?或者我如何让它工作,这样我就可以运行这个文件,并在这样做的过程中运行此目录中的所有单元测试?


解决方案 1:

使用 Python 2.7 及更高版本,您无需编写新代码或使用第三方工具来执行此操作;通过命令行执行递归测试是内置的。将一个放在__init__.py您的测试目录中并:

python -m unittest discover <test_directory>
# or
python -m unittest discover -s <directory> -p '*_test.py'

您可以在python 2.7
或python 3.x unittest 文档中阅读更多内容。

解决方案 2:

在 Python 3 中,如果您使用unittest.TestCase

  • __init__.py您的目录中必须有一个空的(或其他)文件test必须命名test/

  • 里面的测试文件test/与模式匹配test_*.py

    • 它们可以位于 下的子目录中test/。这些子目录可以任意命名,但它们都需要包含一个__init__.py文件

  • 你的测试函数名称应该以 开头test_。例如:test_text_matcher

然后,您可以使用以下命令运行所有测试:

python -m unittest

完成了!解决方案少于 100 行。希望其他 Python 初学者能通过找到这个来节省时间。

解决方案 3:

您可以使用测试运行器来为您完成此操作。 例如,nose就非常好用。运行时,它会在当前树中找到测试并运行它们。

更新:

这是我在做 nose 之前写的一些代码。您可能不需要模块名称的明确列表,但其余部分可能对您有用。

testmodules = [
    'cogapp.test_makefiles',
    'cogapp.test_whiteutils',
    'cogapp.test_cogapp',
    ]

suite = unittest.TestSuite()

for t in testmodules:
    try:
        # If the module defines a suite() function, call it to get the suite.
        mod = __import__(t, globals(), locals(), ['suite'])
        suitefn = getattr(mod, 'suite')
        suite.addTest(suitefn())
    except (ImportError, AttributeError):
        # else, just load all the test cases from the module.
        suite.addTest(unittest.defaultTestLoader.loadTestsFromName(t))

unittest.TextTestRunner().run(suite)

解决方案 4:

现在可以直接从 unittest 实现:unittest.TestLoader.discover。

import unittest
loader = unittest.TestLoader()
start_dir = 'path/to/your/test/files'
suite = loader.discover(start_dir)

runner = unittest.TextTestRunner()
runner.run(suite)

解决方案 5:

通过研究上面的代码(特别是使用TextTestRunnerdefaultTestLoader),我能够非常接近。最终,我修复了我的代码,方法是将所有测试套件传递给单个套件构造函数,而不是“手动”添加它们,这解决了我的其他问题。所以这是我的解决方案。

import glob
import unittest

test_files = glob.glob('test_*.py')
module_strings = [test_file[0:len(test_file)-3] for test_file in test_files]
suites = [unittest.defaultTestLoader.loadTestsFromName(test_file) for test_file in module_strings]
test_suite = unittest.TestSuite(suites)
test_runner = unittest.TextTestRunner().run(test_suite)

是的,可能直接用鼻子来做比这样做更容易,但这不是重点。

解决方案 6:

如果您想运行来自各种测试用例类的所有测试,并且乐意明确指定它们,那么您可以这样做:

from unittest import TestLoader, TextTestRunner, TestSuite
from uclid.test.test_symbols import TestSymbols
from uclid.test.test_patterns import TestPatterns

if __name__ == "__main__":

    loader = TestLoader()
    tests = [
        loader.loadTestsFromTestCase(test)
        for test in (TestSymbols, TestPatterns)
    ]
    suite = TestSuite(tests)

    runner = TextTestRunner(verbosity=2)
    runner.run(suite)

uclid我的项目在哪里,TestSymbols并且TestPatterns和是的子类TestCase

解决方案 7:

我已经使用了该discover方法和重载来load_tests在(我认为是最少的)几行代码中实现此结果:

def load_tests(loader, tests, pattern):
''' Discover and load all unit tests in all files named ``*_test.py`` in ``./src/``
'''
    suite = TestSuite()
    for all_test_suite in unittest.defaultTestLoader.discover('src', pattern='*_tests.py'):
        for test_suite in all_test_suite:
            suite.addTests(test_suite)
    return suite

if __name__ == '__main__':
    unittest.main()

执行五次类似

Ran 27 tests in 0.187s
OK

解决方案 8:

我尝试了各种方法,但似乎都有缺陷,或者我必须编写一些代码,这很烦人。但在 Linux 下有一种方便的方法,那就是简单地通过某种模式找到每个测试,然后逐个调用它们。

find . -name 'Test*py' -exec python '{}' ;

最重要的是,它确实有效。

解决方案 9:

如果有一个打包的库或应用程序,您不想这样做。setuptools 将为您完成。

要使用此命令,您的项目的测试必须unittest通过函数、TestCase 类或方法或包含类的模块或包包装在测试套件中TestCase。如果命名套件是一个模块,并且该模块有一个additional_tests()函数,则会调用该函数并将结果(必须是unittest.TestSuite)添加到要运行的测试中。如果命名套件是一个包,则所有子模块和子包都会递归添加到整个测试套件中

只需告诉它你的根测试包在哪里,例如:

setup(
    # ...
    test_suite = 'somepkg.test'
)

然后跑python setup.py test

基于文件的发现在 Python 3 中可能会有问题,除非您在测试套件中避免使用相对导入,因为discover使用文件导入。尽管它支持可选top_level_dir,但我遇到了一些无限递归错误。因此,非打包代码的一个简单解决方案是将以下内容放入__init__.py测试包中(请参阅load_tests 协议)。

import unittest

from . import foo, bar


def load_tests(loader, tests, pattern):
    suite = unittest.TestSuite()
    suite.addTests(loader.loadTestsFromModule(foo))
    suite.addTests(loader.loadTestsFromModule(bar))

    return suite

解决方案 10:

这是一个老问题,但现在(2019 年)对我有用的是:

python -m unittest *_test.py

我所有的测试文件都与源文件位于同一文件夹中,并且都以 结尾_test

解决方案 11:

我使用 PyDev/LiClipse,但还没有真正弄清楚如何从 GUI 一次运行所有测试。(编辑:右键单击根测试文件夹并选择Run as -> Python unit-test

这是我目前的解决方法:

import unittest

def load_tests(loader, tests, pattern):
    return loader.discover('.')

if __name__ == '__main__':
    unittest.main()

我把这段代码放在all我的测试目录中的一个名为的模块中。如果我从 LiClipse 将此模块作为单元测试运行,则所有测试都会运行。如果我要求仅重复特定或失败的测试,则只运行那些测试。它也不会干扰我的命令行测试运行器(nosetests)——它会被忽略。

discover您可能需要根据项目设置更改参数。

解决方案 12:

根据Stephen Cagle的回答,我添加了对嵌套测试模块的支持。

import fnmatch
import os
import unittest

def all_test_modules(root_dir, pattern):
    test_file_names = all_files_in(root_dir, pattern)
    return [path_to_module(str) for str in test_file_names]

def all_files_in(root_dir, pattern):
    matches = []

    for root, dirnames, filenames in os.walk(root_dir):
        for filename in fnmatch.filter(filenames, pattern):
            matches.append(os.path.join(root, filename))

    return matches

def path_to_module(py_file):
    return strip_leading_dots( \n        replace_slash_by_dot(  \n            strip_extension(py_file)))

def strip_extension(py_file):
    return py_file[0:len(py_file) - len('.py')]

def replace_slash_by_dot(str):
    return str.replace('\\', '.').replace('/', '.')

def strip_leading_dots(str):
    while str.startswith('.'):
       str = str[1:len(str)]
    return str

module_names = all_test_modules('.', '*Tests.py')
suites = [unittest.defaultTestLoader.loadTestsFromName(mname) for mname 
    in module_names]

testSuite = unittest.TestSuite(suites)
runner = unittest.TextTestRunner(verbosity=1)
runner.run(testSuite)

代码会搜索所有子目录以查找要加载的.文件*Tests.py。它要求每个*Tests.py子目录都包含一个类*Tests(unittest.TestCase),然后依次加载并执行该类。

这适用于任意深度嵌套的目录/模块,但中间的每个目录__init__.py至少需要包含一个空文件。这允许测试通过将斜杠(或反斜杠)替换为点来加载嵌套模块(请参阅replace_slash_by_dot)。

解决方案 13:

我刚刚在基本测试目录中创建了一个 discover.py 文件,并为子目录中的任何内容添加了导入语句。然后,discover 可以通过在 discover.py 上运行它来找到这些目录中的所有测试

python -m unittest discover ./test -p '*.py'
# /test/discover.py
import unittest

from test.package1.mod1 import XYZTest
from test.package1.package2.mod2 import ABCTest
...

if __name__ == "__main__"
    unittest.main()

解决方案 14:

遇到了同样的问题。

__init__.py解决方案是向每个文件夹添加一个空文件夹并使用python -m unittest discover -s

项目结构

tests/
  __init__.py
  domain/
    value_object/
      __init__.py
      test_name.py
    __init__.py
  presentation/
    __init__.py
    test_app.py

并运行命令

python -m unittest discover -s tests/domain

为了得到预期的结果

.
----------------------------------------------------------------------
Ran 1 test in 0.007s

解决方案 15:

因为测试发现似乎是一个完整的主题,所以有一些专门的框架来测试发现:

  • 鼻子

  • Py.测试

更多内容请阅读:https://wiki.python.org/moin/PythonTestingToolsTaxonomy

解决方案 16:

无论您位于什么工作目录,此 BASH 脚本都将从文件系统中的任何位置执行 python unittest 测试目录:其工作目录始终是该test目录所在的位置。

所有测试,独立 $PWD

unittest Python 模块对您当前的目录很敏感,除非您告诉它在哪里(使用discover -s选项)。

./src当您停留在或./example工作目录中并且需要快速进行整体单元测试时这很有用:

#!/bin/bash
this_program="$0"
dirname="`dirname $this_program`"
readlink="`readlink -e $dirname`"

python -m unittest discover -s "$readlink"/test -v

选定的测试,独立 $PWD

我将此实用程序文件命名为:runone.py并按如下方式使用它:

runone.py <test-python-filename-minus-dot-py-fileextension>
#!/bin/bash
this_program="$0"
dirname="`dirname $this_program`"
readlink="`readlink -e $dirname`"

(cd "$dirname"/test; python -m unittest $1)

在生产过程中,不需要test/__init__.py文件来增加你的包装/内存开销。

解决方案 17:

我没有包,正如本页所述,这在发现时会产生问题。因此,我使用了以下解决方案。所有测试结果都将放在给定的输出文件夹中。

运行AllUT.py

"""
The given script is executing all the Unit Test of the project stored at the
path %relativePath2Src% currently fixed coded for the given project. 

Prerequired:
    - Anaconda should be install
    - For the current user, an enviornment called "mtToolsEnv" should exists
    - xmlrunner Library should be installed
"""

import sys
import os
import xmlrunner
from Repository import repository 

relativePath2Src="./../.."
pythonPath=r'"C:Users%USERNAME%.condaenvsYourConfigpython.exe"' 
outputTestReportFolder=os.path.dirname(os.path.abspath(__file__))+r'    est-reports' #subfolder in current file path

class UTTesting():
    """
    Class tto run all the UT of the project
    """
    def __init__(self):
        """
        Initiate instance

        Returns
        -------
        None.

        """
        self.projectRepository = repository() 
        self.UTfile = [] #List all file
    
    def retrieveAllUT(self):
        """
        Generate the list of UT file in the project

        Returns
        -------
        None.

        """
        print(os.path.realpath(relativePath2Src))
        self.projectRepository.retriveAllFilePaths(relativePath2Src)
        #self.projectRepository.printAllFile() #debug
        for file2scan in self.projectRepository.devfile:
            if file2scan.endswith("_UT.py"):
                self.UTfile.append(file2scan)
                print(self.projectRepository.devfilepath[file2scan]+'/'+file2scan)
                
    
    def runUT(self,UTtoRun):
        """
        Run a single UT

        Parameters
        ----------
        UTtoRun : String
            File Name of the UT

        Returns
        -------
        None.

        """
        print(UTtoRun)
        if UTtoRun in self.projectRepository.devfilepath:
            UTtoRunFolderPath=os.path.realpath(os.path.join(self.projectRepository.devfilepath[UTtoRun]))
            UTtoRunPath = os.path.join(UTtoRunFolderPath, UTtoRun)
        print(UTtoRunPath)
        
        #set the correct execution context & run the test
        os.system(" cd " + UTtoRunFolderPath + \n                  " & " + pythonPath + " " + UTtoRunPath + " " + outputTestReportFolder )
        
        
    def runAllUT(self):
        """
        Run all the UT contained in self
        The function "retrieveAllUT" sjould ahve been performed before

        Returns
        -------
        None.

        """
        for UTfile in self.UTfile:
            self.runUT(UTfile)
                
    
                
if __name__ == "__main__":
    undertest=UTTesting()
    undertest.retrieveAllUT()
    undertest.runAllUT()

在我的项目中,我有一个在其他脚本中使用的类。对于您的用例来说,这可能有点过头了。

存储库.py

import os

class repository():
    """
    Class that decribed folder and file in a repository 
    """
    def __init__(self):
        """
        Initiate instance

        Returns
        -------
        None.

        """
        self.devfile = [] #List all file
        self.devfilepath = {} #List all file paths

    def retriveAllFilePaths(self,pathrepo):
        """
        Retrive all files and their path in the class

        Parameters
        ----------
        pathrepo : Path used for the parsin

        Returns
        -------
        None.

        """
        for path, subdirs, files in os.walk(pathrepo):
            for file_name in files:
                self.devfile.append(file_name)
                self.devfilepath[file_name] = path
                
    def printAllFile(self):
        """
        Display all file with paths

        Parameters
        ----------
        def printAllFile : TYPE
            DESCRIPTION.

        Returns
        -------
        None.

        """
        for file_loop in self.devfile:
            print(self.devfilepath[file_loop]+'/'+file_loop)

在您的测试文件中,您需要有一个像这样的主要文件:

if __name__ == "__main__":
    import xmlrunner
    import sys
    
    if len(sys.argv) > 1:
        outputFolder = sys.argv.pop() #avoid conflic with unittest.main
    else:
        outputFolder = r'test-reports'
    print("Report will be created and store there: " + outputFolder)
    
    unittest.main(testRunner=xmlrunner.XMLTestRunner(output=outputFolder))

解决方案 18:

这是我通过创建包装器从命令行运行测试的方法:

#!/usr/bin/env python3
import os, sys, unittest, argparse, inspect, logging

if __name__ == '__main__':
    # Parse arguments.
    parser = argparse.ArgumentParser(add_help=False)
    parser.add_argument("-?", "--help",     action="help",                        help="show this help message and exit" )
    parser.add_argument("-v", "--verbose",  action="store_true", dest="verbose",  help="increase output verbosity" )
    parser.add_argument("-d", "--debug",    action="store_true", dest="debug",    help="show debug messages" )
    parser.add_argument("-h", "--host",     action="store",      dest="host",     help="Destination host" )
    parser.add_argument("-b", "--browser",  action="store",      dest="browser",  help="Browser driver.", choices=["Firefox", "Chrome", "IE", "Opera", "PhantomJS"] )
    parser.add_argument("-r", "--reports-dir", action="store",   dest="dir",      help="Directory to save screenshots.", default="reports")
    parser.add_argument('files', nargs='*')
    args = parser.parse_args()

    # Load files from the arguments.
    for filename in args.files:
        exec(open(filename).read())

    # See: http://codereview.stackexchange.com/q/88655/15346
    def make_suite(tc_class):
        testloader = unittest.TestLoader()
        testnames = testloader.getTestCaseNames(tc_class)
        suite = unittest.TestSuite()
        for name in testnames:
            suite.addTest(tc_class(name, cargs=args))
        return suite

    # Add all tests.
    alltests = unittest.TestSuite()
    for name, obj in inspect.getmembers(sys.modules[__name__]):
        if inspect.isclass(obj) and name.startswith("FooTest"):
            alltests.addTest(make_suite(obj))

    # Set-up logger
    verbose = bool(os.environ.get('VERBOSE', args.verbose))
    debug   = bool(os.environ.get('DEBUG', args.debug))
    if verbose or debug:
        logging.basicConfig( stream=sys.stdout )
        root = logging.getLogger()
        root.setLevel(logging.INFO if verbose else logging.DEBUG)
        ch = logging.StreamHandler(sys.stdout)
        ch.setLevel(logging.INFO if verbose else logging.DEBUG)
        ch.setFormatter(logging.Formatter('%(asctime)s %(levelname)s: %(name)s: %(message)s'))
        root.addHandler(ch)
    else:
        logging.basicConfig(stream=sys.stderr)

    # Run tests.
    result = unittest.TextTestRunner(verbosity=2).run(alltests)
    sys.exit(not result.wasSuccessful())

为了简单起见,请原谅我的非PEP8编码标准。

然后,您可以为所有测试的通用组件创建 BaseTest 类,这样每个测试看起来都很简单:

from BaseTest import BaseTest
class FooTestPagesBasic(BaseTest):
    def test_foo(self):
        driver = self.driver
        driver.get(self.base_url + "/")

要运行,只需将测试指定为命令行参数的一部分,例如:

./run_tests.py -h http://example.com/ tests/**/*.py
相关推荐
  政府信创国产化的10大政策解读一、信创国产化的背景与意义信创国产化,即信息技术应用创新国产化,是当前中国信息技术领域的一个重要发展方向。其核心在于通过自主研发和创新,实现信息技术应用的自主可控,减少对外部技术的依赖,并规避潜在的技术制裁和风险。随着全球信息技术竞争的加剧,以及某些国家对中国在科技领域的打压,信创国产化显...
工程项目管理   2079  
  为什么项目管理通常仍然耗时且低效?您是否还在反复更新电子表格、淹没在便利贴中并参加每周更新会议?这确实是耗费时间和精力。借助软件工具的帮助,您可以一目了然地全面了解您的项目。如今,国内外有足够多优秀的项目管理软件可以帮助您掌控每个项目。什么是项目管理软件?项目管理软件是广泛行业用于项目规划、资源分配和调度的软件。它使项...
项目管理软件   1459  
  建筑行业正处于数字化转型的关键时期,建筑产品生命周期管理(PLM)系统的实施对于提升项目效率、质量和协同性至关重要。特别是在 2025 年,基于建筑信息模型(BIM)的项目进度优化工具成为众多建筑企业关注的焦点。这些工具不仅能够整合项目全生命周期的数据,还能通过精准的分析和模拟,为项目进度管理提供强大支持。BIM 与建...
plm是什么软件   0  
  PLM系统开发的重要性与现状PLM(产品生命周期管理)系统在现代企业的产品研发、生产与管理过程中扮演着至关重要的角色。它贯穿产品从概念设计到退役的整个生命周期,整合了产品数据、流程以及人员等多方面的资源,极大地提高了企业的协同效率和创新能力。通过PLM系统,企业能够实现产品信息的集中管理与共享,不同部门之间可以实时获取...
国产plm软件   0  
  PLM(产品生命周期管理)系统在企业产品研发与管理过程中扮演着至关重要的角色。随着市场竞争的加剧和技术的飞速发展,企业对PLM系统的迭代周期优化需求日益迫切。2025年敏捷认证对项目管理提出了新的要求,其中燃尽图作为一种强大的可视化工具,在PLM系统迭代周期优化中有着广泛且重要的应用。深入探讨这些应用,对于提升企业的项...
plm系统主要干什么的   0  
热门文章
项目管理软件有哪些?
云禅道AD
禅道项目管理软件

云端的项目管理软件

尊享禅道项目软件收费版功能

无需维护,随时随地协同办公

内置subversion和git源码管理

每天备份,随时转为私有部署

免费试用