我们可以在 testNG DataProvider 中传递预期的异常吗

can we pass the expected Exception in testNG DataProvider

我正在为我的代码编写集成测试,测试是数据驱动的,不同的数据会返回不同的结果或抛出异常。

@Test(dataProvider = "successTestData")
public void (String testData1, String testData2) {
    //do something
}

@DataProvider
Object[][] invalidTestData() {
    return new Object[][] {
        {testData2, testData1}
    };
}

是否可以将 ExpectedException 添加为测试数据的一部分。我明白了,我可以这样添加:

@DataProvider
Object[][] invalidTestData() {
    return new Object[][] {
        {testData2, testData1, expectedException}
    };
}

但是我该如何在测试中使用它呢?我想在注释中提供预期的异常。有什么办法可以从测试数据中使用它吗?这将帮助我用不同的测试数据编写一个测试。

@Test 注释带有属性 expectedExceptions,您是否可以指定测试方法可能抛出的预期异常列表。

示例:

@Test(expectedExceptions = { FileNotFoundException.class, NullPointerException.class }, dataProvider = "invalidTestData" )

注意,如果抛出的异常不是上述列表,那么测试将被标记为失败。

所以使用这个,不需要将异常作为 dataProvider 的一部分传递。

编辑: 如果每个测试数据抛出不同的异常,那么您可以使用 dataProvider 传递它,如下所示:

@DataProvider
Object[][] invalidTestData() {
    return new Object[][] {
        {testData1, NullPointerException.class},
        {testData2, FileNotFoundException.class}
    };
}

现在将测试更新为:

@Test(dataProvider = "invalidTestData")
public void (String testData, Class<? extends Exception> exceptionType) {
    try {
        // do something with testData
    } catch (Exception e) {
        Assert.assertEquals(e.getClass, exceptionType);
    }
}

编辑: 处理预期异常的测试用例,但在实际测试期间未抛出异常 运行.

@Test(dataProvider = "invalidTestData")
public void (String testData, Class<? extends Exception> exceptionType) {
    try {
        // do something with testData which could possibly throw an exception.

        // code reaches here only if no exception was thrown
        // So test should fail if exception was expected.
        Assert.assertTrue(exceptionType == null);

    } catch (Exception e) {
        Assert.assertEquals(e.getClass, exceptionType);
    }
}

使用assertThrows

@Test(dataProvider = "invalidTestData")
public void (String testData, Class<? extends Exception> exceptionType) {
    if (exceptionType == null) {
        someMethod(testData);
    } else {        
        Assert.assertThrows(exceptionType, someMethod(testData));
    }
}