Skip to content

Commit 23a8d5e

Browse files
committedOct 27, 2022
httpbp: Set http.Server.ErrorLog
It's used by upstream server to log some of the kinda-breaking issues, for example [1]. Since the majority of the http servers at Reddit are public facing, when those happens it's usually just user messing with us, not really that the http client we control doing things wrong. This gives us a way to suppress those logs, and also emit counters to better track how many times those happened. This also makes the upstream http server to use the same json logger by zap as the rest of our code, at warning level. [1]: golang/go#25192 (comment)
1 parent 155114b commit 23a8d5e

File tree

3 files changed

+154
-0
lines changed

3 files changed

+154
-0
lines changed
 

‎httpbp/error_logger.go

+56
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,56 @@
1+
package httpbp
2+
3+
import (
4+
"log"
5+
"strings"
6+
7+
"github.com/prometheus/client_golang/prometheus"
8+
"github.com/prometheus/client_golang/prometheus/promauto"
9+
"go.uber.org/zap"
10+
"go.uber.org/zap/zapcore"
11+
12+
"github.com/reddit/baseplate.go/internal/prometheusbpint"
13+
)
14+
15+
var httpServerLoggingCounter = promauto.With(prometheusbpint.GlobalRegistry).NewCounterVec(prometheus.CounterOpts{
16+
Name: "httpbp_server_upstream_issue_logs_total",
17+
Help: "Number of logs emitted by stdlib http server regarding an upstream issue",
18+
}, []string{"upstream_issue"})
19+
20+
// This is a special zapcore used by stdlib http server to handle error logging.
21+
type wrappedCore struct {
22+
zapcore.Core
23+
24+
counter25192 prometheus.Counter
25+
suppress25192 bool
26+
}
27+
28+
func (w wrappedCore) Check(entry zapcore.Entry, ce *zapcore.CheckedEntry) *zapcore.CheckedEntry {
29+
// Example message:
30+
// URL query contains semicolon, which is no longer a supported separator; parts of the query may be stripped when parsed; see golang.org/issue/25192
31+
if strings.Contains(entry.Message, "golang.org/issue/25192") {
32+
w.counter25192.Inc()
33+
if w.suppress25192 {
34+
// drop the log
35+
return ce
36+
}
37+
}
38+
39+
return w.Core.Check(entry, ce)
40+
}
41+
42+
func httpServerLogger(base *zap.Logger, suppress25192 bool) (*log.Logger, error) {
43+
return zap.NewStdLogAt(base.WithOptions(
44+
zap.Fields(zap.String("from", "http-server")),
45+
zap.WrapCore(func(c zapcore.Core) zapcore.Core {
46+
return wrappedCore{
47+
Core: c,
48+
49+
suppress25192: suppress25192,
50+
counter25192: httpServerLoggingCounter.With(prometheus.Labels{
51+
"upstream_issue": "25192",
52+
}),
53+
}
54+
}),
55+
), zapcore.WarnLevel)
56+
}

‎httpbp/error_logger_test.go

+75
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,75 @@
1+
package httpbp
2+
3+
import (
4+
"io"
5+
"strings"
6+
"testing"
7+
8+
"github.com/prometheus/client_golang/prometheus"
9+
"go.uber.org/zap"
10+
"go.uber.org/zap/zapcore"
11+
12+
"github.com/reddit/baseplate.go/prometheusbp/promtest"
13+
)
14+
15+
func initBaseLogger(w io.Writer) *zap.Logger {
16+
// Mostly copied from zap.NewExample, to make the log deterministic.
17+
encoderCfg := zapcore.EncoderConfig{
18+
MessageKey: "msg",
19+
LevelKey: "level",
20+
NameKey: "logger",
21+
EncodeLevel: zapcore.LowercaseLevelEncoder,
22+
EncodeTime: zapcore.ISO8601TimeEncoder,
23+
EncodeDuration: zapcore.StringDurationEncoder,
24+
}
25+
core := zapcore.NewCore(zapcore.NewJSONEncoder(encoderCfg), zapcore.AddSync(w), zap.DebugLevel)
26+
return zap.New(core)
27+
}
28+
29+
func TestHTTPServerLogger(t *testing.T) {
30+
t.Run("suppressed", func(t *testing.T) {
31+
defer promtest.NewPrometheusMetricTest(t, "25192", httpServerLoggingCounter, prometheus.Labels{
32+
"upstream_issue": "25192",
33+
}).CheckDelta(2)
34+
35+
var sb strings.Builder
36+
logger, err := httpServerLogger(initBaseLogger(&sb), true)
37+
if err != nil {
38+
t.Fatalf("httpServerLogger failed: %v", err)
39+
}
40+
logger.Printf("Hello, golang.org/issue/25192!")
41+
logger.Printf("Hello, golang.org/issue/25192!")
42+
if str := sb.String(); strings.TrimSpace(str) != "" {
43+
t.Errorf("Expected logs being suppressed, got %q", str)
44+
}
45+
46+
sb.Reset()
47+
logger.Printf("Hello, world!")
48+
const want = `{"level":"warn","msg":"Hello, world!","from":"http-server"}`
49+
if got := sb.String(); strings.TrimSpace(got) != want {
50+
t.Errorf("Got %q, want %q", got, want)
51+
}
52+
})
53+
54+
t.Run("not-suppressed", func(t *testing.T) {
55+
defer promtest.NewPrometheusMetricTest(t, "25192", httpServerLoggingCounter, prometheus.Labels{
56+
"upstream_issue": "25192",
57+
}).CheckDelta(1)
58+
59+
var sb strings.Builder
60+
logger, err := httpServerLogger(initBaseLogger(&sb), false)
61+
if err != nil {
62+
t.Fatalf("httpServerLogger failed: %v", err)
63+
}
64+
logger.Printf("Hello, golang.org/issue/25192!")
65+
if got, want := sb.String(), `{"level":"warn","msg":"Hello, golang.org/issue/25192!","from":"http-server"}`; strings.TrimSpace(got) != want {
66+
t.Errorf("Got %q, want %q", got, want)
67+
}
68+
69+
sb.Reset()
70+
logger.Printf("Hello, world!")
71+
if got, want := sb.String(), `{"level":"warn","msg":"Hello, world!","from":"http-server"}`; strings.TrimSpace(got) != want {
72+
t.Errorf("Got %q, want %q", got, want)
73+
}
74+
})
75+
}

‎httpbp/server.go

+23
Original file line numberDiff line numberDiff line change
@@ -157,6 +157,17 @@ type ServerArgs struct {
157157
// Logger is an optional arg to be called when the InjectEdgeRequestContext
158158
// middleware failed to parse the edge request header for any reason.
159159
Logger log.Wrapper
160+
161+
// The http.Server from stdlib would emit a log regarding [1] whenever it
162+
// happens. Set SuppressIssue25192 to true to suppress that log.
163+
//
164+
// Regardless of the value of SuppressIssue25192,
165+
// we always emit a prometheus counter of:
166+
//
167+
// httpbp_server_upstream_issue_logs_total{upstream_issue="25192"}
168+
//
169+
// [1]: https://github.com/golang/go/issues/25192#issuecomment-992276264
170+
SuppressIssue25192 bool
160171
}
161172

162173
// ValidateAndSetDefaults checks the ServerArgs for any errors and sets any
@@ -221,9 +232,21 @@ func NewBaseplateServer(args ServerArgs) (baseplate.Server, error) {
221232
return nil, err
222233
}
223234

235+
logger, err := httpServerLogger(log.C(context.Background()).Desugar(), args.SuppressIssue25192)
236+
if err != nil {
237+
// Should not happen, but if it really happens, we just fallback to stdlib
238+
// logger, which is not that big a deal either.
239+
log.Errorw(
240+
"Failed to create error logger for stdlib http server",
241+
"err", err,
242+
)
243+
}
244+
224245
srv := &http.Server{
225246
Addr: args.Baseplate.GetConfig().Addr,
226247
Handler: args.EndpointRegistry,
248+
249+
ErrorLog: logger,
227250
}
228251
for _, f := range args.OnShutdown {
229252
srv.RegisterOnShutdown(f)

0 commit comments

Comments
 (0)
Please sign in to comment.