pytest selenium/appium测试用例组织方式有很多种,笔者采用的是一个类启动一次webdriver,并在最后退出webdriver。每个类中指定登录的用户,有些测试是需要覆盖不同的用户,但执行的操作基本相同,就可以提取出父类,在父类中定义测试方法,子类中只需要指定登录的用户,以及必要时重写父类中的测试方法。
但是按照继承关系写好测试用例后,有一个问题:测试父类的测试方法也被收集了,加上在测试父类中一般不会指定登录用户,会导致测试失败。
在chatgpt中提问,答案主要有以下几种方法,但实验下来并不都奏效:
方法 1:在 TestBase 中标记 pytest.mark.abstract
这种方法通过使用 pytest 提供的 @pytest.mark.usefixtures 或 @pytest.mark.abstract 来跳过 TestBase 直接被收集为测试类。
代码示例
import pytest
@pytest.mark.abstract # 标记为抽象测试类,pytest 不会收集这个类的用例
class TestBase:
def test_base_example(self):
assert 1 == 1
class TestChild(TestBase):
def test_child_example(self):
assert 2 == 2
解释
@pytest.mark.abstract告诉pytest不要收集TestBase中的测试用例。TestChild继承了TestBase的方法,但TestBase本身不会执行。
实验结果
不起作用
方法 2:使用 __test__ = False 来标记 TestBase 不作为测试类
你可以在 TestBase 中使用 __test__ = False 属性,这样 pytest 不会将其作为测试类。
代码示例
class TestBase:
__test__ = False # 告诉 pytest 这不是一个测试类
def test_base_example(self):
assert 1 == 1
class TestChild(TestBase):
def test_child_example(self):
assert 2 == 2
解释
__test__ = False是pytest识别的特殊标志,表示TestBase不是一个可收集的测试类。- 这样,
pytest不会将TestBase中的用例收集为测试用例。
实验结果
父类的测试方法是不收集了,但是子类中的测试方法也不会被收集了
方法 3:通过 conftest.py 过滤掉特定的类
如果你想对多个基类进行这种控制,而不想在每个类中手动设置 __test__ = False,你可以使用 conftest.py 文件,通过钩子 pytest_collection_modifyitems 过滤掉指定的类。
代码示例
conftest.py
def pytest_collection_modifyitems(config, items):
items[:] = [item for item in items if "TestBase" not in item.nodeid]
解释
pytest_collection_modifyitems钩子允许在测试收集阶段对收集到的测试用例进行过滤。- 这里的逻辑会从所有收集的
items中排除类名为TestBase的测试用例。
实验结果
有效。最终采用此方法
方法 4:使用 pytest.mark.skip 标记 TestBase 中的所有方法
如果你不想设置 __test__ 或 pytest.mark.abstract,你也可以简单地跳过 TestBase 中的所有用例。
代码示例
import pytest
class TestBase:
@pytest.mark.skip(reason="这是一个基类,不应该直接运行")
def test_base_example(self):
assert 1 == 1
class TestChild(TestBase):
def test_child_example(self):
assert 2 == 2
解释
@pytest.mark.skip将TestBase中的test_base_example用例标记为跳过。- 但是,如果
TestChild继承并重写了这个方法,pytest仍然会运行它。 - 如果你有很多方法,这种方式就显得繁琐了。
因此方法需标记的地方太多,不考虑采用此方法
914

被折叠的 条评论
为什么被折叠?



