NUnit 3.0 和 Assert.Throws

NUnit 3.0 and Assert.Throws

我正在使用 NUnit 3.0 编写一些单元测试,与 v2.x 不同的是,ExpectedException() 已从库中删除。

根据 this 的回答,我可以肯定地看到试图在测试中具体捕获预期系统抛出异常的位置的逻辑(而不是仅仅说 'anywhere in the test')。

但是,我倾向于非常明确地说明我的 Arrange、Act 和 Assert 步骤,这使它成为一个挑战。

我曾经做过这样的事情:

[Test, ExpectedException(typeof(FormatException))]
public void Should_not_convert_from_prinergy_date_time_sample1()
{
    //Arrange
    string testDate = "20121123120122";

    //Act
    testDate.FromPrinergyDateTime();

    //Assert
    Assert.Fail("FromPrinergyDateTime should throw an exception parsing invalid input.");
}

现在我需要做一些事情:

[Test]
public void Should_not_convert_from_prinergy_date_time_sample2()
{
    //Arrange
    string testDate = "20121123120122";

    //Act/Assert
    Assert.Throws<FormatException>(() => testDate.FromPrinergyDateTime());
}

在我看来,这并不可怕,但会使 Act 和 Assert 变得混乱。 (显然,对于这个简单的测试,并不难遵循,但在更大的测试中可能更具挑战性)。

我有一位同事建议我完全摆脱 Assert.Throws,然后做一些类似的事情:

[Test]
public void Should_not_convert_from_prinergy_date_time_sample3()
{
    //Arrange
    int exceptions = 0;
    string testDate = "20121123120122";

    //Act
    try
    {
        testDate.FromPrinergyDateTime();
    }
    catch (FormatException) { exceptions++;}

    //Assert
    Assert.AreEqual(1, exceptions);
}

在这里,我坚持使用严格的 AAA 格式,但代价是更加臃肿。

所以我的问题是 AAA 风格的测试人员:你们将如何进行某种异常验证测试,就像我在这里尝试做的那样?

我明白你的意思,尽管我不介意在这种情况下合并 Act/Assert 个步骤。

我唯一能想到的就是将实际委托(此处为 FromPrinergyDateTime)作为 "act" 步骤存储到一个变量中,然后断言它:

[Test]
public void Should_not_convert_from_prinergy_date_time_sample2()
{
    //Arrange
    string testDate = "20121123120122";

    //Act
    ActualValueDelegate<object> testDelegate = () => testDate.FromPrinergyDateTime();

    //Assert
    Assert.That(testDelegate, Throws.TypeOf<FormatException>());
}

我知道 "act" 步骤并不是 真正地 表演,而是定义动作是什么。但是,它确实清楚地描述了正在测试的操作。

您可以在 NUnit 3 中创建自定义属性。以下是如何创建 [ExpectedException] 属性的示例代码。(ExpectedExceptionExample 展示了如何为 NUnit 实现自定义属性) https://github.com/nunit/nunit-csharp-samples

在 C# 7 中,还有另一个选项(尽管与现有答案非常相似):

[Test]
public void Should_not_convert_from_prinergy_date_time_sample2()
{
    void CheckFunction()
    {
        //Arrange
        string testDate = "20121123120122";

        //Act
        testDate.FromPrinergyDateTime();
    }

    //Assert
    Assert.Throws(typeof(Exception), CheckFunction);
}

Blog post on the subject