Python test fixture 到 运行 单个测试?

Python test fixture to run a single test?

我正在寻找 ruby rspec 的 focus 元数据或 elixir 的混合标签之类的东西来 运行 单个 python 测试。

Ruby RSpec 示例:

# $ rspec spec
it 'runs a single test', :focus do 
  expect(2).to eq(2)
end

Elixir ExUnit 和混合示例:

# $ mix test --only focus
@tag :focus
test "only run this test" do
  assert true
end

任何 python 测试 运行 器和夹具组合是否可能/可用? 运行 通过命令行参数指定嵌套 module.class.test_name 的单个测试在较大的项目中可能会变得非常冗长。

所以像这样:

需要Python代码:

# $ nosetests --only focus

from tests.fixtures import focus

class TestSomething(unittest.TestCase):
    @focus
    def test_all_the_things(self):
        self.assertEqual(1, 1)

pytest mark问好。您可以创建焦点标记,分配给任何测试用例或方法,然后使用 pytest -v -m focus 命令进行 运行 测试。例如:

import unittest
import pytest

class TestOne(unittest.TestCase):
    def test_method1(self):
        # I won't be executed with focus mark
        self.assertEqual(1, 1)

    @pytest.mark.focus
    def test_method2(self):  
        # I will be executed with focus mark          
        self.assertEqual(1, 1)

将 运行 test_method2。要 运行 某些 TestCase 中的所有方法,您只需标记一个 class:

import unittest
import pytest

@pytest.mark.focus
class TestOne(unittest.TestCase):
    ...

您需要在 pytest.ini 中注册您的自定义标记,例如

[pytest]
markers =
    focus: what is being developed right now

要查看可用标记,运行 pytest --markers

有类似的问题,想模仿 rspec 为 ruby 提供的相同行为,其中整个测试套件在没有重点测试时是 运行,但是当它只运行重点测试。

该设置与 Piotr 建议的非常相似,但增加了一个额外的步骤来过滤掉选定的测试。

  1. 按照 Piotr 在 pytest.inipyproject.toml:

    中的建议配置标记
    [pytest]
    markers = 
        focus: what is being developed right now
    
  2. 将以下代码添加到您的根 conftest.py

    def pytest_collection_modifyitems(session: pytest.Session, config: Any, items: list[pytest.Item]):
        focused = [i for i in items if i.get_closest_marker("focus")]
    
        if focused:
            items[:] = focused
    

当有一个或多个测试具有焦点标记时,这将过滤收集的测试。将此与 pytest-testmon 结合使用时,您的行为与来自 ruby 背景时 guard 提供的行为相同。