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

问题描述 投票:0回答:1

我想在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,而是启动服务器并运行测试,那似乎很好。

go functional-testing ginkgo
1个回答
0
投票

我想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"))
    })
})
© www.soinside.com 2019 - 2024. All rights reserved.