요청 데이터 바인딩을 사용하여 Go Gin 핸들러 기능을 단위 테스트하는 방법
단위 테스트에서 Gin 핸들러 기능을 올바르게 초기화하고 요청을 설정합니다. 본문 및 쿼리 매개변수가 중요합니다. c.BindQuery를 효과적으로 테스트하는 방법을 알아보겠습니다.
제공된 테스트 코드에서는 HTTP 요청이 쿼리 매개변수로 초기화되지 않아 c.BindQuery가 작동하지 않습니다. c.BindQuery를 모의하려면 테스트 요청을 생성하고 이에 따라 해당 URL과 URL.RawQuery를 설정해야 합니다. 향상된 버전은 다음과 같습니다.
func mockGin() (*gin.Context, *httptest.ResponseRecorder) { w := httptest.NewRecorder() c, _ := gin.CreateTestContext(w) // Create a test request with query parameters req := &http.Request{ URL: &url.URL{}, Header: make(http.Header), } testQuery := weldprogs.QueryParam{/* init fields */} q := req.URL.Query() for _, s := range testQuery.Basematgroup_id { q.Add("basematgroup_id", s) } req.URL.RawQuery = q.Encode() c.Request = req return c, w }
쿼리 바인딩을 모의한 후에는 핸들러 함수 GetMaterialByFilter에서 c.BindQuery를 테스트할 수 있습니다.
서비스 종속성 테스트
핸들러 함수도 서비스를 호출합니다. services.WeldprogService.GetMaterialByFilter. 이 호출을 테스트 가능하게 만들려면 서비스가 핸들러의 종속성으로 주입될 수 있는 인터페이스여야 합니다.
이를 수행하는 방법은 다음과 같습니다.
// Define an interface for your service type WeldprogService interface { GetMaterialByFilter(query *weldprogs.QueryParam) ([]weldprogs.Material, error) } // Inject the service into your handler as a context value func GetMaterialByFilter(c *gin.Context) { //... weldprogService := mustGetService(c) materialByFilter, getErr := weldprogService.GetMaterialByFilter(&queryParam) // ... } func mustGetService(c *gin.Context) WeldprogService { svc, exists := c.Get("svc_context_key") if !exists { panic("service was not set") } return svc.(WeldprogService) }
이제 서비스를 단위 테스트하고 동작을 제어하세요.
type mockSvc struct { } // Implement the WeldprogService interface on mockSvc func TestGetMaterialByFilter(t *testing.T) { w := httptest.NewRecorder() c, _ := gin.CreateTestContext(w) // Set the mock service into the test context c.Set("svc_context_key", &mockSvc{}) GetMaterialByFilter(c) // ... }
위 내용은 데이터 바인딩 및 서비스 종속성을 사용하여 Go Gin 핸들러 기능을 효과적으로 단위 테스트하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!