forked from newrelic-forks/microservices-demo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmiddleware.go
320 lines (284 loc) · 8.44 KB
/
middleware.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
// Copyright 2018 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package main
import (
"context"
"fmt"
"net"
"net/http"
"os"
"strings"
"time"
"github.com/google/uuid"
"github.com/gorilla/mux"
"github.com/sirupsen/logrus"
"go.opentelemetry.io/contrib/detectors/gcp"
"go.opentelemetry.io/contrib/instrumentation/google.golang.org/grpc/otelgrpc"
"go.opentelemetry.io/otel"
"go.opentelemetry.io/otel/label"
"go.opentelemetry.io/otel/metric"
"go.opentelemetry.io/otel/sdk/resource"
"go.opentelemetry.io/otel/semconv"
"go.opentelemetry.io/otel/trace"
"go.opentelemetry.io/otel/unit"
"google.golang.org/grpc"
"google.golang.org/grpc/peer"
)
const (
instName = "github.com/GoogleCloudPlatform/microservices-demo/src/frontend"
instVer = "semver:0.0.1"
)
var (
httpLatency metric.Float64ValueRecorder
grpcLatency metric.Float64ValueRecorder
res *resource.Resource
)
func init() {
meter := otel.GetMeterProvider().Meter(instName, metric.WithInstrumentationVersion(instVer))
httpLatency = metric.Must(meter).NewFloat64ValueRecorder(
"http.server.duration",
metric.WithDescription("duration of the inbound HTTP request"),
metric.WithUnit(unit.Milliseconds),
)
grpcLatency = metric.Must(meter).NewFloat64ValueRecorder(
"grpc.client.duration",
metric.WithDescription("duration of the inbound gRPC request"),
metric.WithUnit(unit.Milliseconds),
)
var instID label.KeyValue
if host, ok := os.LookupEnv("HOSTNAME"); ok && host != "" {
instID = semconv.ServiceInstanceIDKey.String(host)
} else {
instID = semconv.ServiceInstanceIDKey.String(uuid.New().String())
}
var err error
res, err = resource.New(
context.Background(),
resource.WithAttributes(instID),
resource.WithDetectors(new(gcp.GCE)),
)
if err != nil {
logrus.WithError(err).Fatal("failed to detect environment resource")
}
}
type ctxKeyLog struct{}
type ctxKeyRequestID struct{}
type logHandler struct {
log *logrus.Logger
next http.Handler
}
type responseRecorder struct {
b int
status int
w http.ResponseWriter
}
func (r *responseRecorder) Header() http.Header { return r.w.Header() }
func (r *responseRecorder) Write(p []byte) (int, error) {
if r.status == 0 {
r.status = http.StatusOK
}
n, err := r.w.Write(p)
r.b += n
return n, err
}
func (r *responseRecorder) WriteHeader(statusCode int) {
r.status = statusCode
r.w.WriteHeader(statusCode)
}
func (lh *logHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
rr := &responseRecorder{w: w}
ctx := r.Context()
requestID, _ := uuid.NewRandom()
ctx = context.WithValue(ctx, ctxKeyRequestID{}, requestID.String())
start := time.Now()
log := lh.log.WithFields(logrus.Fields{
"http.req.path": r.URL.Path,
"http.req.method": r.Method,
"http.req.id": requestID.String(),
})
if v, ok := r.Context().Value(ctxKeySessionID{}).(string); ok {
log = log.WithField("session", v)
}
log.Debug("request started")
defer func() {
log.WithFields(logrus.Fields{
"http.resp.took_ms": int64(time.Since(start) / time.Millisecond),
"http.resp.status": rr.status,
"http.resp.bytes": rr.b}).Debugf("request complete")
}()
ctx = context.WithValue(ctx, ctxKeyLog{}, log)
r = r.WithContext(ctx)
lh.next.ServeHTTP(rr, r)
}
func ensureSessionID(next http.Handler) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
var sessionID string
c, err := r.Cookie(cookieSessionID)
if err == http.ErrNoCookie {
u, _ := uuid.NewRandom()
sessionID = u.String()
http.SetCookie(w, &http.Cookie{
Name: cookieSessionID,
Value: sessionID,
MaxAge: cookieMaxAge,
})
} else if err != nil {
return
} else {
sessionID = c.Value
}
ctx := context.WithValue(r.Context(), ctxKeySessionID{}, sessionID)
r = r.WithContext(ctx)
next.ServeHTTP(w, r)
}
}
type traceware struct {
handler http.Handler
}
// ServeHTTP implements the http.Handler interface. It does the actual
// tracing of the request.
func (tw traceware) ServeHTTP(w http.ResponseWriter, r *http.Request) {
ctx := otel.GetTextMapPropagator().Extract(r.Context(), r.Header)
spanName := ""
route := mux.CurrentRoute(r)
if route != nil {
var err error
spanName, err = route.GetPathTemplate()
if err != nil {
spanName, err = route.GetPathRegexp()
if err != nil {
spanName = ""
}
}
}
if spanName == "" {
spanName = fmt.Sprintf("HTTP %s route not found", r.Method)
}
labels := []label.KeyValue{
label.String("span.name", spanName),
label.String("span.kind", trace.SpanKindServer.String()),
}
labels = append(labels, semconv.HTTPServerMetricAttributesFromHTTPRequest(serviceName, r)...)
start := time.Now()
defer func() {
httpLatency.Record(ctx, float64(time.Now().Sub(start).Milliseconds()), labels...)
}()
tw.handler.ServeHTTP(w, r)
}
func MuxMiddleware() mux.MiddlewareFunc {
return func(handler http.Handler) http.Handler {
return traceware{handler: handler}
}
}
// UnaryClientInterceptor returns a grpc.UnaryClientInterceptor suitable
// for use in a grpc.Dial call.
func UnaryClientInterceptor() grpc.UnaryClientInterceptor {
upstream := otelgrpc.UnaryClientInterceptor()
return func(
ctx context.Context,
method string,
req, reply interface{},
cc *grpc.ClientConn,
invoker grpc.UnaryInvoker,
opts ...grpc.CallOption,
) error {
start := time.Now()
defer func() {
grpcLatency.Record(
ctx,
float64(time.Now().Sub(start).Milliseconds()),
labels(method, cc.Target())...,
)
}()
return upstream(ctx, method, req, reply, cc, invoker, opts...)
}
}
// StreamClientInterceptor returns a grpc.StreamClientInterceptor suitable
// for use in a grpc.Dial call.
func StreamClientInterceptor() grpc.StreamClientInterceptor {
upstream := otelgrpc.StreamClientInterceptor()
return func(
ctx context.Context,
desc *grpc.StreamDesc,
cc *grpc.ClientConn,
method string,
streamer grpc.Streamer,
opts ...grpc.CallOption,
) (grpc.ClientStream, error) {
start := time.Now()
defer func() {
grpcLatency.Record(
ctx,
float64(time.Now().Sub(start).Milliseconds()),
labels(method, cc.Target())...,
)
}()
return upstream(ctx, desc, cc, method, streamer, opts...)
}
}
/*************************************************************************
* Copied from
* go.opentelemetry.io/otel/instrumentation/grpctrace/[email protected]
*/
func labels(fullMethod, peerAddress string) []label.KeyValue {
attrs := []label.KeyValue{semconv.RPCSystemGRPC}
name, mAttrs := parseFullMethod(fullMethod)
attrs = append(attrs, mAttrs...)
attrs = append(attrs, peerAttr(peerAddress)...)
attrs = append(attrs, label.String("span.name", name))
attrs = append(attrs, label.String("span.kind", trace.SpanKindServer.String()))
return attrs
}
// peerAttr returns attributes about the peer address.
func peerAttr(addr string) []label.KeyValue {
host, port, err := net.SplitHostPort(addr)
if err != nil {
return []label.KeyValue(nil)
}
if host == "" {
host = "127.0.0.1"
}
return []label.KeyValue{
semconv.NetPeerIPKey.String(host),
semconv.NetPeerPortKey.String(port),
}
}
// peerFromCtx returns a peer address from a context, if one exists.
func peerFromCtx(ctx context.Context) string {
p, ok := peer.FromContext(ctx)
if !ok {
return ""
}
return p.Addr.String()
}
// parseFullMethod returns a span name following the OpenTelemetry semantic
// conventions as well as all applicable span label.KeyValue attributes based
// on a gRPC's FullMethod.
func parseFullMethod(fullMethod string) (string, []label.KeyValue) {
name := strings.TrimLeft(fullMethod, "/")
parts := strings.SplitN(name, "/", 2)
if len(parts) != 2 {
// Invalid format, does not follow `/package.service/method`.
return name, []label.KeyValue(nil)
}
var attrs []label.KeyValue
if service := parts[0]; service != "" {
attrs = append(attrs, semconv.RPCServiceKey.String(service))
}
if method := parts[1]; method != "" {
attrs = append(attrs, semconv.RPCMethodKey.String(method))
}
return name, attrs
}
/*************************************************************************/