我进行了此测试,该测试在端口7000
上启动服务,并且在唯一的端点内执行了失败的断言:
@Test
fun `javalin assertion should fail`() {
Javalin.create()
.get("/") { assertTrue(false) }
.start()
newHttpClient().send(
HttpRequest.newBuilder()
.uri(URI.create("http://localhost:7000/"))
.GET().build(),
discarding()
)
}
问题是测试总是通过(但应该失败):
(通过运行./gradlew test
也会发生相同的行为)
...即使有控制台输出声称测试失败:
[Test worker] INFO io.javalin.Javalin - Listening on http://localhost:7000/
[Test worker] INFO io.javalin.Javalin - Javalin started in 356ms \o/
[qtp2100106358-22] ERROR io.javalin.Javalin - Exception occurred while servicing http-request
org.opentest4j.AssertionFailedError: expected: <true> but was: <false>
at org.junit.jupiter.api.AssertionUtils.fail(AssertionUtils.java:55)
..
可能是在另一个线程中运行,但是我想知道是否有一种方法可以将其附加到相同的上下文中。 (很奇怪,在我的应用程序的另一种情况下-我无法隔离-它正确地失败了。)
答案 0 :(得分:2)
要使测试失败,请在从Javalin实例获得的响应上添加一个断言。
@Test
fun `javalin assertion should fail`() {
Javalin.create()
.get("/") { assertTrue(false) } // or any expression that throws an Exception, like Kotlin's TODO()
.start()
val javalinResponse: HttpResponse<Void> = newHttpClient().send(
HttpRequest.newBuilder()
.uri(URI.create("http://localhost:7000/"))
.GET().build(),
discarding()
)
assertThat(javalinResponse.statusCode()).isEqualTo(200) // will fail with Expected: 200, Actual: 500
}
测试中有两个不同的步骤:新的Javalin实例配置+构建,以及使用HttpClient调用该实例。
在Javalin配置+构建步骤中,当在assertTrue(false)
端点上调用时,它被指示执行/
。 assertTrue(false)
会抛出一个AssertionFailedError
,但是如果您在其中抛出其他内容,其行为将是相同的。现在,与许多其他所有Web服务器一样,Javalin / Jetty将尝试捕获其中发生的任何未捕获的异常,并返回带有代码500(内部服务器错误)的HTTP响应。
实际上,这一切都是在另一个线程中发生的,因为内部启动了一个Jetty Web服务器实例,该实例负责端口侦听,HTTP请求/响应处理和其他重要的工作。
因此,在测试的稍后阶段,对新的Javalin实例执行HTTP调用时,它将成功获得500(内部服务器错误)响应,并且与最初一样,响应和中没有断言没有未捕获的例外,则认为测试成功。
答案 1 :(得分:1)
请不要在Javalin处理程序内进行断言,因为如果测试失败,则Javalin会吞下JUnit异常,并且测试会以静默方式失败(better explained in the other answer)。解决方案是最终在外部进行断言,如 Arrange,Act,Assert 模式。
如何?您可以将要断言的内容存储在处理程序中,然后再断言。例如,如果是POST。
var postedBody: String? = null
fakeProfileApi = Javalin.create().post("profile") {
postedBody = it.body()
}.start(1234)
val profileGateway = ProfileGateway(apiUrl = "http://localhost:1234")
profileGateway.saveProfile( // contains the HTTP POST
Profile(id = "abc", email = "john.doe@gmail.com".toEmail())
)
JSONAssert.assertEquals(
""" { "id": "abc", "email": "johndoe@gmail.com" } """,
postedBody, true
)
如果是GET,则更容易:
fakeProfileApi = Javalin.create().get("profile/abc") {
it.result(""" {"id": "abc", "email": "johndoe@gmail.com"} """)
}.start(1234)
val profileGateway = ProfileGateway(apiUrl = "http://localhost:1234")
val result = profileGateway.fetchProfile("abc") // contains the HTTP GET
assertEquals(
Profile(id = "abc", email = "john.doe@gmail.com".toEmail()),
result
)