NUnit 测试夹具层次结构

本文关键字:层次结构 夹具 测试 NUnit | 更新日期: 2023-09-27 18:31:32

我正在尝试创建某种与实现无关的夹具。

假设我有以下界面。

public interface ISearchAlgorithm
{
    // methods
}

而且我确切地知道它应该如何运行,所以我想为每个派生类运行相同的测试集:

public class RootSearchAlgorithmsTests
{
    private readonly ISearchAlgorithm _searchAlgorithm;
    public RootSearchAlgorithmsTests(ISearchAlgorithm algorithm)
    {
        _searchAlgorithm = algorithm;
    }
    [Test]
    public void TestCosFound()
    {
        // arrange
        // act with _searchAlgorithm
        // assert
    }
    [Test]
    public void TestCosNotFound()
    {
        // arrange
        // act with _searchAlgorithm
        // assert
    } 
    // etc

然后,我为每个派生类创建以下夹具:

[TestFixture]
public class BinarySearchTests : RootSearchAlgorithmsTests
{
    public BinarySearchTests(): base(new BinarySearchAlgorithm()) {}
}
[TestFixture]
public class NewtonSearchTests : RootSearchAlgorithmsTests
{
    public NewtonSearchTests(): base(new NewtonSearchAlgorithm()) {}
}

它运行良好,除了 R# 测试运行程序和 NUnit GUI 也显示基类测试,当然它们会失败,因为没有合适的构造函数。

如果没有标有[TestFixture],为什么还要运行?我猜是因为具有[Test]属性的方法?

如何防止基类及其方法显示在结果中?

NUnit 测试夹具层次结构

您可以在 NUnit 中使用通用测试夹具来实现您想要的东西。

[TestFixture(typeof(Implementation1))]
[TestFixture(typeof(Implementation2))]
public class RootSearchAlgorithmsTests<T> where T : ISearchAlgorithm, new()
{
    private readonly ISearchAlgorithm _searchAlgorithm;
    [SetUp]
    public void SetUp()
    {
        _searchAlgorithm = new T();
    }
    [Test]
    public void TestCosFound()
    {
        // arrange
        // act with _searchAlgorithm
        // assert
    }
    [Test]
    public void TestCosNotFound()
    {
        // arrange
        // act with _searchAlgorithm
        // assert
    } 
    // etc
}