Skip to content

Commit 8d4ac4c

Browse files
authored
Additional configuration options for RequestLogger and Logger middleware (#2341)
* Add `middleware.RequestLoggerConfig.HandleError` configuration option to handle error within middleware with global error handler thus setting response status code decided by error handler and not derived from error itself. * Add `middleware.LoggerConfig.CustomTagFunc` so Logger middleware can add custom text to logged row.
1 parent 466bf80 commit 8d4ac4c

File tree

6 files changed

+162
-33
lines changed

6 files changed

+162
-33
lines changed

context.go

+5-1
Original file line numberDiff line numberDiff line change
@@ -169,7 +169,11 @@ type (
169169
// Redirect redirects the request to a provided URL with status code.
170170
Redirect(code int, url string) error
171171

172-
// Error invokes the registered HTTP error handler. Generally used by middleware.
172+
// Error invokes the registered global HTTP error handler. Generally used by middleware.
173+
// A side-effect of calling global error handler is that now Response has been committed (sent to the client) and
174+
// middlewares up in chain can not change Response status code or Response body anymore.
175+
//
176+
// Avoid using this method in handlers as no middleware will be able to effectively handle errors after that.
173177
Error(err error)
174178

175179
// Handler returns the matched handler by router.

echo.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -116,7 +116,7 @@ type (
116116
HandlerFunc func(c Context) error
117117

118118
// HTTPErrorHandler is a centralized HTTP error handler.
119-
HTTPErrorHandler func(error, Context)
119+
HTTPErrorHandler func(err error, c Context)
120120

121121
// Validator is the interface that wraps the Validate function.
122122
Validator interface {

middleware/logger.go

+11
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,7 @@ type (
4747
// - header:<NAME>
4848
// - query:<NAME>
4949
// - form:<NAME>
50+
// - custom (see CustomTagFunc field)
5051
//
5152
// Example "${remote_ip} ${status}"
5253
//
@@ -56,6 +57,11 @@ type (
5657
// Optional. Default value DefaultLoggerConfig.CustomTimeFormat.
5758
CustomTimeFormat string `yaml:"custom_time_format"`
5859

60+
// CustomTagFunc is function called for `${custom}` tag to output user implemented text by writing it to buf.
61+
// Make sure that outputted text creates valid JSON string with other logged tags.
62+
// Optional.
63+
CustomTagFunc func(c echo.Context, buf *bytes.Buffer) (int, error)
64+
5965
// Output is a writer where logs in JSON format are written.
6066
// Optional. Default value os.Stdout.
6167
Output io.Writer
@@ -126,6 +132,11 @@ func LoggerWithConfig(config LoggerConfig) echo.MiddlewareFunc {
126132

127133
if _, err = config.template.ExecuteFunc(buf, func(w io.Writer, tag string) (int, error) {
128134
switch tag {
135+
case "custom":
136+
if config.CustomTagFunc == nil {
137+
return 0, nil
138+
}
139+
return config.CustomTagFunc(c, buf)
129140
case "time_unix":
130141
return buf.WriteString(strconv.FormatInt(time.Now().Unix(), 10))
131142
case "time_unix_milli":

middleware/logger_test.go

+22
Original file line numberDiff line numberDiff line change
@@ -173,6 +173,28 @@ func TestLoggerCustomTimestamp(t *testing.T) {
173173
assert.Error(t, err)
174174
}
175175

176+
func TestLoggerCustomTagFunc(t *testing.T) {
177+
e := echo.New()
178+
buf := new(bytes.Buffer)
179+
e.Use(LoggerWithConfig(LoggerConfig{
180+
Format: `{"method":"${method}",${custom}}` + "\n",
181+
CustomTagFunc: func(c echo.Context, buf *bytes.Buffer) (int, error) {
182+
return buf.WriteString(`"tag":"my-value"`)
183+
},
184+
Output: buf,
185+
}))
186+
187+
e.GET("/", func(c echo.Context) error {
188+
return c.String(http.StatusOK, "custom time stamp test")
189+
})
190+
191+
req := httptest.NewRequest(http.MethodGet, "/", nil)
192+
rec := httptest.NewRecorder()
193+
e.ServeHTTP(rec, req)
194+
195+
assert.Equal(t, `{"method":"GET","tag":"my-value"}`+"\n", buf.String())
196+
}
197+
176198
func BenchmarkLoggerWithConfig_withoutMapFields(b *testing.B) {
177199
e := echo.New()
178200

middleware/request_logger.go

+75-27
Original file line numberDiff line numberDiff line change
@@ -10,55 +10,88 @@ import (
1010

1111
// Example for `fmt.Printf`
1212
// e.Use(middleware.RequestLoggerWithConfig(middleware.RequestLoggerConfig{
13-
// LogStatus: true,
14-
// LogURI: true,
13+
// LogStatus: true,
14+
// LogURI: true,
15+
// LogError: true,
16+
// HandleError: true, // forwards error to the global error handler, so it can decide appropriate status code
1517
// LogValuesFunc: func(c echo.Context, v middleware.RequestLoggerValues) error {
16-
// fmt.Printf("REQUEST: uri: %v, status: %v\n", v.URI, v.Status)
18+
// if v.Error == nil {
19+
// fmt.Printf("REQUEST: uri: %v, status: %v\n", v.URI, v.Status)
20+
// } else {
21+
// fmt.Printf("REQUEST_ERROR: uri: %v, status: %v, err: %v\n", v.URI, v.Status, v.Error)
22+
// }
1723
// return nil
1824
// },
1925
// }))
2026
//
2127
// Example for Zerolog (https://github.com/rs/zerolog)
2228
// logger := zerolog.New(os.Stdout)
2329
// e.Use(middleware.RequestLoggerWithConfig(middleware.RequestLoggerConfig{
24-
// LogURI: true,
25-
// LogStatus: true,
30+
// LogURI: true,
31+
// LogStatus: true,
32+
// LogError: true,
33+
// HandleError: true, // forwards error to the global error handler, so it can decide appropriate status code
2634
// LogValuesFunc: func(c echo.Context, v middleware.RequestLoggerValues) error {
27-
// logger.Info().
28-
// Str("URI", v.URI).
29-
// Int("status", v.Status).
30-
// Msg("request")
31-
//
35+
// if v.Error == nil {
36+
// logger.Info().
37+
// Str("URI", v.URI).
38+
// Int("status", v.Status).
39+
// Msg("request")
40+
// } else {
41+
// logger.Error().
42+
// Err(v.Error).
43+
// Str("URI", v.URI).
44+
// Int("status", v.Status).
45+
// Msg("request error")
46+
// }
3247
// return nil
3348
// },
3449
// }))
3550
//
3651
// Example for Zap (https://github.com/uber-go/zap)
3752
// logger, _ := zap.NewProduction()
3853
// e.Use(middleware.RequestLoggerWithConfig(middleware.RequestLoggerConfig{
39-
// LogURI: true,
40-
// LogStatus: true,
54+
// LogURI: true,
55+
// LogStatus: true,
56+
// LogError: true,
57+
// HandleError: true, // forwards error to the global error handler, so it can decide appropriate status code
4158
// LogValuesFunc: func(c echo.Context, v middleware.RequestLoggerValues) error {
42-
// logger.Info("request",
43-
// zap.String("URI", v.URI),
44-
// zap.Int("status", v.Status),
45-
// )
46-
//
59+
// if v.Error == nil {
60+
// logger.Info("request",
61+
// zap.String("URI", v.URI),
62+
// zap.Int("status", v.Status),
63+
// )
64+
// } else {
65+
// logger.Error("request error",
66+
// zap.String("URI", v.URI),
67+
// zap.Int("status", v.Status),
68+
// zap.Error(v.Error),
69+
// )
70+
// }
4771
// return nil
4872
// },
4973
// }))
5074
//
5175
// Example for Logrus (https://github.com/sirupsen/logrus)
52-
// log := logrus.New()
76+
// log := logrus.New()
5377
// e.Use(middleware.RequestLoggerWithConfig(middleware.RequestLoggerConfig{
54-
// LogURI: true,
55-
// LogStatus: true,
56-
// LogValuesFunc: func(c echo.Context, values middleware.RequestLoggerValues) error {
57-
// log.WithFields(logrus.Fields{
58-
// "URI": values.URI,
59-
// "status": values.Status,
60-
// }).Info("request")
61-
//
78+
// LogURI: true,
79+
// LogStatus: true,
80+
// LogError: true,
81+
// HandleError: true, // forwards error to the global error handler, so it can decide appropriate status code
82+
// LogValuesFunc: func(c echo.Context, v middleware.RequestLoggerValues) error {
83+
// if v.Error == nil {
84+
// log.WithFields(logrus.Fields{
85+
// "URI": v.URI,
86+
// "status": v.Status,
87+
// }).Info("request")
88+
// } else {
89+
// log.WithFields(logrus.Fields{
90+
// "URI": v.URI,
91+
// "status": v.Status,
92+
// "error": v.Error,
93+
// }).Error("request error")
94+
// }
6295
// return nil
6396
// },
6497
// }))
@@ -74,6 +107,13 @@ type RequestLoggerConfig struct {
74107
// Mandatory.
75108
LogValuesFunc func(c echo.Context, v RequestLoggerValues) error
76109

110+
// HandleError instructs logger to call global error handler when next middleware/handler returns an error.
111+
// This is useful when you have custom error handler that can decide to use different status codes.
112+
//
113+
// A side-effect of calling global error handler is that now Response has been committed and sent to the client
114+
// and middlewares up in chain can not change Response status code or response body.
115+
HandleError bool
116+
77117
// LogLatency instructs logger to record duration it took to execute rest of the handler chain (next(c) call).
78118
LogLatency bool
79119
// LogProtocol instructs logger to extract request protocol (i.e. `HTTP/1.1` or `HTTP/2`)
@@ -217,6 +257,9 @@ func (config RequestLoggerConfig) ToMiddleware() (echo.MiddlewareFunc, error) {
217257
config.BeforeNextFunc(c)
218258
}
219259
err := next(c)
260+
if config.HandleError {
261+
c.Error(err)
262+
}
220263

221264
v := RequestLoggerValues{
222265
StartTime: start,
@@ -264,7 +307,9 @@ func (config RequestLoggerConfig) ToMiddleware() (echo.MiddlewareFunc, error) {
264307
}
265308
if config.LogStatus {
266309
v.Status = res.Status
267-
if err != nil {
310+
if err != nil && !config.HandleError {
311+
// this block should not be executed in case of HandleError=true as the global error handler will decide
312+
// the status code. In that case status code could be different from what err contains.
268313
var httpErr *echo.HTTPError
269314
if errors.As(err, &httpErr) {
270315
v.Status = httpErr.Code
@@ -310,6 +355,9 @@ func (config RequestLoggerConfig) ToMiddleware() (echo.MiddlewareFunc, error) {
310355
return errOnLog
311356
}
312357

358+
// in case of HandleError=true we are returning the error that we already have handled with global error handler
359+
// this is deliberate as this error could be useful for upstream middlewares and default global error handler
360+
// will ignore that error when it bubbles up in middleware chain.
313361
return err
314362
}
315363
}, nil

middleware/request_logger_test.go

+48-4
Original file line numberDiff line numberDiff line change
@@ -103,12 +103,12 @@ func TestRequestLogger_beforeNextFunc(t *testing.T) {
103103
func TestRequestLogger_logError(t *testing.T) {
104104
e := echo.New()
105105

106-
var expect RequestLoggerValues
106+
var actual RequestLoggerValues
107107
e.Use(RequestLoggerWithConfig(RequestLoggerConfig{
108108
LogError: true,
109109
LogStatus: true,
110110
LogValuesFunc: func(c echo.Context, values RequestLoggerValues) error {
111-
expect = values
111+
actual = values
112112
return nil
113113
},
114114
}))
@@ -123,8 +123,52 @@ func TestRequestLogger_logError(t *testing.T) {
123123
e.ServeHTTP(rec, req)
124124

125125
assert.Equal(t, http.StatusNotAcceptable, rec.Code)
126-
assert.Equal(t, http.StatusNotAcceptable, expect.Status)
127-
assert.EqualError(t, expect.Error, "code=406, message=nope")
126+
assert.Equal(t, http.StatusNotAcceptable, actual.Status)
127+
assert.EqualError(t, actual.Error, "code=406, message=nope")
128+
}
129+
130+
func TestRequestLogger_HandleError(t *testing.T) {
131+
e := echo.New()
132+
133+
var actual RequestLoggerValues
134+
e.Use(RequestLoggerWithConfig(RequestLoggerConfig{
135+
timeNow: func() time.Time {
136+
return time.Unix(1631045377, 0).UTC()
137+
},
138+
HandleError: true,
139+
LogError: true,
140+
LogStatus: true,
141+
LogValuesFunc: func(c echo.Context, values RequestLoggerValues) error {
142+
actual = values
143+
return nil
144+
},
145+
}))
146+
147+
// to see if "HandleError" works we create custom error handler that uses its own status codes
148+
e.HTTPErrorHandler = func(err error, c echo.Context) {
149+
if c.Response().Committed {
150+
return
151+
}
152+
c.JSON(http.StatusTeapot, "custom error handler")
153+
}
154+
155+
e.GET("/test", func(c echo.Context) error {
156+
return echo.NewHTTPError(http.StatusForbidden, "nope")
157+
})
158+
159+
req := httptest.NewRequest(http.MethodGet, "/test", nil)
160+
rec := httptest.NewRecorder()
161+
162+
e.ServeHTTP(rec, req)
163+
164+
assert.Equal(t, http.StatusTeapot, rec.Code)
165+
166+
expect := RequestLoggerValues{
167+
StartTime: time.Unix(1631045377, 0).UTC(),
168+
Status: http.StatusTeapot,
169+
Error: echo.NewHTTPError(http.StatusForbidden, "nope"),
170+
}
171+
assert.Equal(t, expect, actual)
128172
}
129173

130174
func TestRequestLogger_LogValuesFuncError(t *testing.T) {

0 commit comments

Comments
 (0)