web-dev-qa-db-ja.com

コマンドラインからunittest.TestCaseからシングルテストを実行

私たちのチームでは、ほとんどのテストケースをこのように定義しています。

1つの "フレームワーク"クラスourtcfw.py:

import unittest

class OurTcFw(unittest.TestCase):
    def setUp:
        # something

    # other stuff that we want to use everywhere

そしてtestMyCase.pyのような多くのテストケース:

import localweather

class MyCase(OurTcFw):

    def testItIsSunny(self):
        self.assertTrue(localweather.sunny)

    def testItIsHot(self):
        self.assertTrue(localweather.temperature > 20)

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

私が新しいテストコードを書いていて、それを頻繁に実行し、そして時間を節約したいのであれば、他のすべてのテストの前に "__"を付けます。しかし、それは面倒で、私が書いているコードから気をそらし、そしてこれが作り出すコミットノイズは明らかに厄介です。

だから例えばtestItIsHot()を変更するとき、私はこれができるようにしたいです。

$ python testMyCase.py testItIsHot

unittestを実行しますのみtestItIsHot()

どうすればそれを達成できますか?

私はif __== "__main__":の部分を書き直そうとしましたが、私はPythonに慣れていないので、私は道に迷ってメソッド以外のすべてにぶつかっています。

206
Alois Mahdal

これはあなたが示唆しているように動作します - あなたはクラス名も指定する必要があります。

python testMyCase.py MyCase.testItIsHot
240
phihag

テストケースを整理する場合、つまり、実際のコードと同じ編成に従い、同じパッケージ内のモジュールには相対インポートも使用します。

次のコマンド形式も使用できます。

python -m unittest mypkg.tests.test_module.TestClass.test_method
# In your case, this would be:
python -m unittest testMyCase.MyCase.testItIsHot

これに関するPython3ドキュメント: https://docs.python.org/3/library/unittest.html#command-line-interface

120
Ajay M

あなたが思うようにそれはうまくいくことができます

python testMyCase.py MyCase.testItIsHot

testItIsHotをテストするには別の方法があります。

    suite = unittest.TestSuite()
    suite.addTest(MyCase("testItIsHot"))
    runner = unittest.TextTestRunner()
    runner.run(suite)
55
Yarkee

Unittestモジュールの助けを借りれば、モジュールからテストケースクラスを、テストケースクラスからテストメソッドを実行することを可能にするいくつかの組み合わせについて教えてくれます。

python3 -m unittest -h

[...]

Examples:
  python3 -m unittest test_module               - run tests from test_module
  python3 -m unittest module.TestClass          - run tests from module.TestClass
  python3 -m unittest module.Class.test_method  - run specified test method

モジュールのデフォルトの動作としてunittest.main()を定義する必要はありません。

18
skqr

たぶん、それは誰かに役立つでしょう。特定のクラスのテストだけを実行したい場合は、

if __== "__main__":
    unittest.main(MyCase())

それはpython 3.6で私のために働きます

4
Bohdan

に触発された @ yarkee 私はすでに手に入れたコードの一部と組み合わせました。コマンドラインを使用せずに関数run_unit_tests()を呼び出すことによって、または単にpython3 my_test_file.pyを付けてコマンドラインから呼び出すことによって、別のスクリプトからこれを呼び出すこともできます。

import my_test_file
my_test_file.run_unit_tests()

残念ながら、これはPython 3.3以上でのみ動作します。

import unittest

class LineBalancingUnitTests(unittest.TestCase):

    @classmethod
    def setUp(self):
        self.maxDiff = None

    def test_it_is_sunny(self):
        self.assertTrue("a" == "a")

    def test_it_is_hot(self):
        self.assertTrue("a" != "b")

ランナーコード:

#! /usr/bin/env python3
# -*- coding: utf-8 -*-
import unittest
from .somewhere import LineBalancingUnitTests

def create_suite(classes, unit_tests_to_run):
    suite = unittest.TestSuite()
    unit_tests_to_run_count = len( unit_tests_to_run )

    for _class in classes:
        _object = _class()
        for function_name in dir( _object ):
            if function_name.lower().startswith( "test" ):
                if unit_tests_to_run_count > 0 \
                        and function_name not in unit_tests_to_run:
                    continue
                suite.addTest( _class( function_name ) )
    return suite

def run_unit_tests():
    runner = unittest.TextTestRunner()
    classes =  [
        LineBalancingUnitTests,
    ]

    # Comment all the tests names on this list, to run all Unit Tests
    unit_tests_to_run =  [
        "test_it_is_sunny",
        # "test_it_is_hot",
    ]

    runner.run( create_suite( classes, unit_tests_to_run ) )

if __== "__main__":
    print( "\n\n" )
    run_unit_tests()

コードを少し編集して、呼び出したいすべての単体テストを含む配列を渡すことができます。

...
def run_unit_tests(unit_tests_to_run):
    runner = unittest.TextTestRunner()

    classes = \
    [
        LineBalancingUnitTests,
    ]

    runner.run( suite( classes, unit_tests_to_run ) )
...

そして別のファイル:

import my_test_file

# Comment all the tests names on this list, to run all Unit Tests
unit_tests_to_run = \
[
    "test_it_is_sunny",
    # "test_it_is_hot",
]

my_test_file.run_unit_tests( unit_tests_to_run )

あるいは、 https://docs.python.org/3/library/unittest.html#load-tests-protocol を使用して、テストモジュール/ファイルに次のメソッドを定義することもできます。

def load_tests(loader, standard_tests, pattern):
    suite = unittest.TestSuite()
    suite.addTest( LineBalancingUnitTests( 'test_it_is_sunny' ) )
    return suite

実行を単一のテストに限定したい場合は、テスト検出パターンをload_tests()関数を定義した唯一のファイルに設定する必要があります。

#! /usr/bin/env python3
# -*- coding: utf-8 -*-
import os
import sys
import unittest

test_pattern = 'mytest/module/name.py'
PACKAGE_ROOT_DIRECTORY = os.path.dirname( os.path.realpath( __file__ ) )

loader = unittest.TestLoader()
start_dir = os.path.join( PACKAGE_ROOT_DIRECTORY, 'testing' )

suite = loader.discover( start_dir, test_pattern )
runner = unittest.TextTestRunner( verbosity=2 )
results = runner.run( suite )

print( "results: %s" % results )
print( "results.wasSuccessful: %s" % results.wasSuccessful() )

sys.exit( not results.wasSuccessful() )

参考文献:

  1. nittestモジュールがスクリプト内にあるときのsys.argv [1]の問題
  2. Pythonクラス内のすべての関数をループして実行する方法はありますか?
  3. pythonでクラスの全てのメンバー変数をループする

最後のメインプログラムの例の代わりに、unittest.main()メソッドの実装を読んだ後に次のようなバリエーションを思いついた。

  1. https://github.com/python/cpython/blob/master/Lib/unittest/main.py#L65
#! /usr/bin/env python3
# -*- coding: utf-8 -*-

import os
import sys
import unittest

PACKAGE_ROOT_DIRECTORY = os.path.dirname( os.path.realpath( __file__ ) )
start_dir = os.path.join( PACKAGE_ROOT_DIRECTORY, 'testing' )

from testing_package import main_unit_tests_module
testNames = ["TestCaseClassName.test_nameHelloWorld"]

loader = unittest.TestLoader()
suite = loader.loadTestsFromNames( testNames, main_unit_tests )

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

print( "results: %s" % results )
print( "results.wasSuccessful: %s" % results.wasSuccessful() )
sys.exit( not results.wasSuccessful() )
1
user