Search code examples
gomiddlewarego-gin

Gin-Gonic middleware declaration


I'm using Gin-Gonic and I'm creating a custom middleware. See: https://github.com/gin-gonic/gin#custom-middleware

Is there a reason why the middlewares in the doc are written as such:

func MyMiddleware() gin.HandlerFunc {
    return func (c *gin.Context) {
        // middleware
    }
}
r := gin.New()
r.Use(MyMiddleware())

When I could simply write it like this:

func MyMiddleware(c *gin.Context) {
    // middleware
}
r := gin.New()
r.Use(MyMiddleware)

Thanks for your help!


Solution

  • You can certainly just do this if you prefer it:

    func MyMiddleware(c *gin.Context) {
        // middleware
    }
    r := gin.New()
    r.Use(MyMiddleware)
    

    The most probably reason why it is suggested that you do this instead:

    func MyMiddleware() gin.HandlerFunc {
        return func (c *gin.Context) {
            // middleware
        }
    }
    r := gin.New()
    r.Use(MyMiddleware())
    

    is, so you can add parameters, the example used in here: https://github.com/gin-gonic/gin#custom-middleware is a logging middleware.:

    func Logger() gin.HandlerFunc {
        return func(c *gin.Context) {
            // code goes here
        }
    }
    

    It didn't have any params, but you can use custom logger like logrus inside your middleware by adding a param:

    You can have a logging middleware like this:

    func Logger(log *logrus.Logger) gin.HandlerFunc {
        return func(c *gin.Context) {
            // use logrus
            log.WithFields(log.Fields{
              "animal": "walrus",
            }).Info("A walrus appears")
    
        }
    }
    

    And use it like this:

    var log = logrus.New()
    r.Use(Logger(log))