2

我的 Golang API 中有一个user.save路由(如下),可用于createupdate用户,具体取决于id请求对象中是否提供了 an 。该路由使用auth其他路由也使用的中间件。

api.POST("/user.save", auth(), user.Save())
api.POST("/user.somethingElse", auth(), user.SomethingElse())

这是我的中间件:

func auth() gin.HandlerFunc {
    return func(c *gin.Context) {
        //I would like to know here if user.save was the route called
        //do authy stuff
    }
}

我在想,如果我可以在auth中间件中检测到user.save路由是否被调用,那么我可以检查是否id包含 an 并决定是继续还是返回。

4

1 回答 1

8

您可以从身份验证处理程序检查 url。实际的请求是在上下文中的,所以它很简单:

if c.Request.URL.Path == "/user.save" {
    // Do your thing
}

另一种解决方案是参数化您的身份验证中间件,如下所示:

api.POST("/user.save", auth(true), user.Save())
api.POST("/user.somethingElse", auth(false), user.SomethingElse())

func auth(isUserSave bool) gin.HandlerFunc {
    return func(c *gin.Context) {
        if isUserSave {
            // Do your thing
        }
    }
}
于 2015-12-23T19:08:24.263 回答