在端点上运行测试之前,无法在 BeforeSuit 中启动应用服务器



我想在 BeforeSuit 中启动我的应用程序并运行 GET 请求。这可能吗?

example_suite_test.go

func TestExample(t *testing.T) {
RegisterFailHandler(Fail)
RunSpecs(t, "Example Suite")
}

example_test.go

var appTest *app.Application
var _ = BeforeSuite(func() {
app = &app.Application{}
app.Run(":8080") // runs http.ListenAndServe on given address 
})
var _ = Describe("Example", func() {
Context("When calling '/example' endpoint...", func() {
req, err := http.NewRequest("GET", "http://localhost:8080/example", nil)
client := http.DefaultClient
res, err := client.Do(req)
It("Should get response 200 OK", func() {
Expect(res.Status).To(Equal("200 OK"))
})
})
})

目前,它似乎启动了服务器,而不是继续测试。如果我删除 BeforeSuite 并启动服务器并运行测试,这似乎很好。

我想app.Run块,因为http.ListenAndServe块,在这种情况下,您可能需要执行以下操作:

var _ = BeforeSuite(func() {
app = &app.Application{}
go func() {
app.Run(":8080") // runs http.ListenAndServe on given address
}() 
})

不过,一般来说,您实际上不会侦听单元测试的端口,而是执行以下操作:

var _ = Describe("Example", func() {
Context("When calling '/example' endpoint...", func() {
req, err := http.NewRequest("GET", "http://localhost:8080/example", nil)
// We create a ResponseRecorder (which satisfies http.ResponseWriter) to record the response.
rr := httptest.NewRecorder()
handler := http.HandlerFunc(app.ExampleHandler)
// Our handlers satisfy http.Handler, so we can call their ServeHTTP method 
// directly and pass in our Request and ResponseRecorder.
handler.ServeHTTP(rr, req)
It("Should get response 200 OK", func() {
Expect(rr.Result().Status).To(Equal("200 OK"))
})
})

最新更新