在测试中 mux.Vars() returns nil 而不是预期的地图
in tests mux.Vars() returns nil instead of expected map
我在 returns *mux.Router
函数中设置了 Gorilla Mux 路由器,如下所示
func MakeApp(services service.Service, pe PolicyEnforce) *mux.Router {
app := mux.NewRouter()
app.NotFoundHandler = &NotFound{}
app.Use(token.TokenMiddleware)
# ...
app.Methods(http.MethodPost).Path("/api/v1/subscription/{emisor}/mh").HandlerFunc(MakeUpdateMH(services, pe))
app.Methods(http.MethodGet).Path("/api/v1/subscription/{emisor}/mh").HandlerFunc(MakeGetMH(services, pe))
app.Methods(http.MethodPost).Path("/api/v1/subscription").HandlerFunc(MakeCreateSubscription(services, pe))
app.Methods(http.MethodGet).Path("/api/v1/subscription/{emisor}").HandlerFunc(MakeGetSubscription(services, pe))
# ...
return app
}
因此,在我的测试中,我准备了带有 URL 和 运行 的手柄:
func (suite *AppTestSuite) TestUpdateMH() {
args := &service.UpdateMHInput{
Usuario: new(string),
Clave: new(string),
Pin: new(string),
Certificado: new(string),
Actividades: []string{},
}
reader, err := makeBody(args)
suite.NoError(err)
handle := token.TokenMiddleware(transport.MakeUpdateMH(suite._s, suite.pe))
req := httptest.NewRequest(http.MethodPut, "/api/v1/subscription/-/mh", reader)
w := httptest.NewRecorder()
t := genToken([]v43.Rol{
{
Nombre: "mh",
Permisos: []v43.Permiso{{
Sujeto: permission.MHCredentials,
Accion: permission.Update,
}},
},
})
req.Header.Add("Authorization", t)
// configura repository
suite.r.On("UpdateIssuerMH", emisor, args.Usuario, args.Clave, args.Pin, args.Certificado, args.Actividades).Return(v43.Grupo{}, nil)
handle.ServeHTTP(w, req)
resp := w.Result()
suite.Equal(http.StatusOK, resp.StatusCode, resp.Status)
}
句柄内部看起来像这样:
func MakeUpdateMH(s service.Service, p PolicyEnforce) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
emisor := mux.Vars(r)["emisor"]
// revisa permisos
permitido := p.TienePermiso(r.Context(), permission.MHCredentials, permission.Update) && p.PuedeActuarSobreEmisor(r.Context(), emisor)
if !permitido {
reportError(w, fault.ErrPermissionDenied, http.StatusForbidden, fault.MessageForbidden, fault.MessageForbidden)
return
}
// cambia el emisor afectado por aquel obtenido de la URL
if emisor != "-" || emisor == "" {
emisor = token.GetSub(r.Context())
}
var input service.UpdateMHInput
dec := json.NewDecoder(r.Body)
err := dec.Decode(&input)
if err != nil {
http.Error(w, fault.NewBackendError("no se pudo decodificar solicitud: %v", err).Error(), http.StatusBadRequest)
return
}
output, err := s.UpdateMHCredentials(emisor, input.Usuario, input.Clave, input.Pin, input.Certificado, input.Actividades)
if err != nil {
http.Error(w, fault.NewBackendError("Error al actualizar credenciales de MH: %v", err).Error(), http.StatusInternalServerError)
return
}
enc := json.NewEncoder(w)
enc.Encode(output)
}
}
而且我注意到 mux.Vars(r)
返回的是 nil
而不是应该包含 {"emisor": "-"}
的值映射,我不明白为什么不是这样。
我已经在处理 "emisor"
为空的情况,但是对于其他无法使用“-”或空字符串的路由器,这个怪癖给我带来了麻烦,我怎么了我做错了,我怎样才能 运行 我的测试成功而不必手动注入我的变量? 还有:这个问题会转化为生产吗?
我的设置有误,我在测试中没有使用 *mux.Router
,而是直接调用处理程序。如果我想使用函数 MakeApp
返回的 *mux.Router
,那么我需要使用 net/http/httptest
.
将其放入测试 HTTP 服务器中
如果您正在创建一个没有路由的请求,但您仍然需要 Var,还有另一种选择。
router := mux.NewRouter()
... // setup your routes
var match mux.RouteMatch
success := router.Match(req, &match)
if success {
id := match.Vars["id"]
...
}
这等同于 router.ServeHTTP(req, res)
它准备变量的方式,只是它实际上不执行处理程序。 match
对象还包含有关请求将命中的路由的更多信息。
我在 returns *mux.Router
函数中设置了 Gorilla Mux 路由器,如下所示
func MakeApp(services service.Service, pe PolicyEnforce) *mux.Router {
app := mux.NewRouter()
app.NotFoundHandler = &NotFound{}
app.Use(token.TokenMiddleware)
# ...
app.Methods(http.MethodPost).Path("/api/v1/subscription/{emisor}/mh").HandlerFunc(MakeUpdateMH(services, pe))
app.Methods(http.MethodGet).Path("/api/v1/subscription/{emisor}/mh").HandlerFunc(MakeGetMH(services, pe))
app.Methods(http.MethodPost).Path("/api/v1/subscription").HandlerFunc(MakeCreateSubscription(services, pe))
app.Methods(http.MethodGet).Path("/api/v1/subscription/{emisor}").HandlerFunc(MakeGetSubscription(services, pe))
# ...
return app
}
因此,在我的测试中,我准备了带有 URL 和 运行 的手柄:
func (suite *AppTestSuite) TestUpdateMH() {
args := &service.UpdateMHInput{
Usuario: new(string),
Clave: new(string),
Pin: new(string),
Certificado: new(string),
Actividades: []string{},
}
reader, err := makeBody(args)
suite.NoError(err)
handle := token.TokenMiddleware(transport.MakeUpdateMH(suite._s, suite.pe))
req := httptest.NewRequest(http.MethodPut, "/api/v1/subscription/-/mh", reader)
w := httptest.NewRecorder()
t := genToken([]v43.Rol{
{
Nombre: "mh",
Permisos: []v43.Permiso{{
Sujeto: permission.MHCredentials,
Accion: permission.Update,
}},
},
})
req.Header.Add("Authorization", t)
// configura repository
suite.r.On("UpdateIssuerMH", emisor, args.Usuario, args.Clave, args.Pin, args.Certificado, args.Actividades).Return(v43.Grupo{}, nil)
handle.ServeHTTP(w, req)
resp := w.Result()
suite.Equal(http.StatusOK, resp.StatusCode, resp.Status)
}
句柄内部看起来像这样:
func MakeUpdateMH(s service.Service, p PolicyEnforce) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
emisor := mux.Vars(r)["emisor"]
// revisa permisos
permitido := p.TienePermiso(r.Context(), permission.MHCredentials, permission.Update) && p.PuedeActuarSobreEmisor(r.Context(), emisor)
if !permitido {
reportError(w, fault.ErrPermissionDenied, http.StatusForbidden, fault.MessageForbidden, fault.MessageForbidden)
return
}
// cambia el emisor afectado por aquel obtenido de la URL
if emisor != "-" || emisor == "" {
emisor = token.GetSub(r.Context())
}
var input service.UpdateMHInput
dec := json.NewDecoder(r.Body)
err := dec.Decode(&input)
if err != nil {
http.Error(w, fault.NewBackendError("no se pudo decodificar solicitud: %v", err).Error(), http.StatusBadRequest)
return
}
output, err := s.UpdateMHCredentials(emisor, input.Usuario, input.Clave, input.Pin, input.Certificado, input.Actividades)
if err != nil {
http.Error(w, fault.NewBackendError("Error al actualizar credenciales de MH: %v", err).Error(), http.StatusInternalServerError)
return
}
enc := json.NewEncoder(w)
enc.Encode(output)
}
}
而且我注意到 mux.Vars(r)
返回的是 nil
而不是应该包含 {"emisor": "-"}
的值映射,我不明白为什么不是这样。
我已经在处理 "emisor"
为空的情况,但是对于其他无法使用“-”或空字符串的路由器,这个怪癖给我带来了麻烦,我怎么了我做错了,我怎样才能 运行 我的测试成功而不必手动注入我的变量? 还有:这个问题会转化为生产吗?
我的设置有误,我在测试中没有使用 *mux.Router
,而是直接调用处理程序。如果我想使用函数 MakeApp
返回的 *mux.Router
,那么我需要使用 net/http/httptest
.
如果您正在创建一个没有路由的请求,但您仍然需要 Var,还有另一种选择。
router := mux.NewRouter()
... // setup your routes
var match mux.RouteMatch
success := router.Match(req, &match)
if success {
id := match.Vars["id"]
...
}
这等同于 router.ServeHTTP(req, res)
它准备变量的方式,只是它实际上不执行处理程序。 match
对象还包含有关请求将命中的路由的更多信息。