I have a REST API written in Go1.13 using gorilla/mux v1.7.3 and gorilla/context v1.1.1.
I want to log each request duration and status code. I already have a basic working version, but I'm wondering if there is a cleaner option.
I have about 20 HTTP calls. Let's take one of them as an example:
client.HandleFunc("/register", register.Handle).Methods("POST")
and the signature of register.Handle
is:
func Handle(w http.ResponseWriter, r *http.Request) { ... }
So in order to log each request duration and status code, I simply wrapped the method handler register.Handle
with a "log handler":
client.HandleFunc("/register", log.HandleRequestWithLog(register.Handle)).Methods("POST")
when log.HandleRequestWithLog
simply times the function execution, and logs it with the returned status code (logging with Azure metrics):
func HandleRequestWithLog(h func(http.ResponseWriter, *http.Request) int) http.HandlerFunc {
return func(writer http.ResponseWriter, request *http.Request) {
startTime := time.Now()
statusCode := h(writer, request)
duration := time.Now().Sub(startTime)
trace := appinsights.NewRequestTelemetry(request.Method, request.URL.Path, duration, string(rune(statusCode)))
trace.Timestamp = time.Now()
client.Track(trace)
}
}
So in order to extract the status code, I needed every HTTP method to return the status code. So I changed the signature to:
func Handle(w http.ResponseWriter, r *http.Request) int { .. }
I was wondering if there is a better option than returning the HTTP status code for each request. Also, what will happen if I want more information from the request? I'll return this value as well?
Instead of changing HTTP handler signature, you can define a
LogResponseWriter
that implementshttp.ResponseWriter
to keep track of response data (status, body, etc..).LogResponseWriter
LogMiddleware
(here, I use std log andmux.MiddlewareFunc
)main.go
. Here, we can use theLogMiddleware
in our router.The log result when I visit
http://localhost:8080
:In your log middleware, you can read the request header & body (from
r *http.Request
), then log them with the duration and response data. Note that you should reassign the request body so that your actual handlers can read the request body.