Kotlin 测试:有条件地断言在参数化测试中抛出异常



我想用 Kotlin 编写一个参数化测试。根据输入参数,测试的函数应引发自定义异常,或者如果一切正常,则应该成功。我正在使用JUnit Jupiter 5.3.2。

这是我现在拥有的简化版本(实际上有多个输入参数(。它可以工作,但感觉有点难看,因为我需要包含两次测试的方法调用:

companion object {
@JvmStatic
fun paramSource(): Stream<Arguments> = Stream.of(
Arguments.of(1, true),
Arguments.of(2, false),
Arguments.of(3, true)
)
}
@ParameterizedTest
@MethodSource("paramSource")
open fun testMyServiceMethod(param: Int, shouldThrow: Boolean) {
if (!shouldThrow) {
// here the exception should not be thrown, so test will fail if it will be thrown
myService.myMethodThrowingException(param)
} else {
assertThrows<MyCustomException>{
myService.myMethodThrowingException(param)
}
}
}

有没有更好的方法?

你可以很容易地封装这个:

inline fun <reified E : Exception> assertThrowsIf(shouldThrow: Boolean, block: () -> Unit) {
if (!shouldThrow) {
block()
} else {
assertThrows<E>(block)
}
}

用法:

@ParameterizedTest
@MethodSource("paramSource")
open fun testMyServiceMethod(param: Int, shouldThrow: Boolean) {
assertThrowsIf<MyCustomException>(shouldThrow) {
myService.myMethodThrowingException(param)
}
}

正如Neo指出的那样,这不是一个好主意。在这种情况下,正确的解决方案是创建两个单独的测试 - 一个用于原始测试的每个案例。

测试应包含尽可能少的逻辑。它们应该简单明了。

最新更新