hi-server/internal/middleware/traceMiddleware.go
shanshanzhong ef64a876cd
All checks were successful
Build docker and publish / build (20.15.1) (push) Successful in 5m10s
feat: 添加请求追踪中间件并支持查询过期订阅
添加请求追踪中间件以记录请求和响应内容
在用户订阅查询中新增includeExpired参数支持查询历史记录
完善配置系统以支持float64类型默认值解析
2026-01-06 20:54:15 -08:00

148 lines
4.0 KiB
Go

package middleware
import (
"bytes"
"context"
"fmt"
"io"
"net/http"
"strings"
"github.com/perfect-panel/server/pkg/constant"
"github.com/gin-gonic/gin"
"go.opentelemetry.io/otel/attribute"
"go.opentelemetry.io/otel/codes"
semconv "go.opentelemetry.io/otel/semconv/v1.24.0"
oteltrace "go.opentelemetry.io/otel/trace"
"github.com/perfect-panel/server/internal/svc"
"github.com/perfect-panel/server/pkg/trace"
)
// bodyLogWriter is a wrapper for gin.ResponseWriter to capture response body
type bodyLogWriter struct {
gin.ResponseWriter
body *bytes.Buffer
}
func (w bodyLogWriter) Write(b []byte) (int, error) {
w.body.Write(b)
return w.ResponseWriter.Write(b)
}
// statusByWriter returns a span status code and message for an HTTP status code
// value returned by a server. Status codes in the 400-499 range are not
// returned as errors.
func statusByWriter(code int) (codes.Code, string) {
if code < 100 || code >= 600 {
return codes.Error, fmt.Sprintf("Invalid HTTP status code %d", code)
}
if code >= 500 {
return codes.Error, ""
}
return codes.Unset, ""
}
func requestAttributes(req *http.Request) []attribute.KeyValue {
protoN := strings.SplitN(req.Proto, "/", 2)
remoteAddrN := strings.SplitN(req.RemoteAddr, ":", 2)
return []attribute.KeyValue{
semconv.HTTPRequestMethodKey.String(req.Method),
semconv.HTTPUserAgentKey.String(req.UserAgent()),
semconv.HTTPRequestContentLengthKey.Int64(req.ContentLength),
semconv.URLFullKey.String(req.URL.String()),
semconv.URLSchemeKey.String(req.URL.Scheme),
semconv.URLFragmentKey.String(req.URL.Fragment),
semconv.URLPathKey.String(req.URL.Path),
semconv.URLQueryKey.String(req.URL.RawQuery),
semconv.NetworkProtocolNameKey.String(strings.ToLower(protoN[0])),
semconv.NetworkProtocolVersionKey.String(protoN[1]),
semconv.ClientAddressKey.String(remoteAddrN[0]),
semconv.ClientPortKey.String(remoteAddrN[1]),
}
}
func TraceMiddleware(_ *svc.ServiceContext) func(ctx *gin.Context) {
return func(c *gin.Context) {
ctx := c.Request.Context()
tracer := trace.TracerFromContext(ctx)
// Capture Request Body
var reqBody []byte
if c.Request.Body != nil {
reqBody, _ = io.ReadAll(c.Request.Body)
c.Request.Body = io.NopCloser(bytes.NewBuffer(reqBody)) // Restore body
}
spanName := c.FullPath()
method := c.Request.Method
ctx, span := tracer.Start(
ctx,
fmt.Sprintf("%s %s", method, spanName),
oteltrace.WithSpanKind(oteltrace.SpanKindServer),
)
defer span.End()
requestId := trace.TraceIDFromContext(ctx)
c.Header(trace.RequestIdKey, requestId)
span.SetAttributes(requestAttributes(c.Request)...)
span.SetAttributes(
attribute.String("http.request_id", requestId),
semconv.HTTPRouteKey.String(c.FullPath()),
)
// Record Request Body (limit to 1MB)
if len(reqBody) > 0 {
limit := 1048576
if len(reqBody) > limit {
span.SetAttributes(attribute.String("http.request.body", string(reqBody[:limit])+"...(truncated)"))
} else {
span.SetAttributes(attribute.String("http.request.body", string(reqBody)))
}
}
// context with request host
ctx = context.WithValue(ctx, constant.CtxKeyRequestHost, c.Request.Host)
// restructure context
c.Request = c.Request.WithContext(ctx)
// Wrap ResponseWriter to capture Response Body
blw := &bodyLogWriter{body: bytes.NewBufferString(""), ResponseWriter: c.Writer}
c.Writer = blw
c.Next()
// Record Response Body (limit to 1MB)
respBody := blw.body.String()
if len(respBody) > 0 {
limit := 1048576
if len(respBody) > limit {
span.SetAttributes(attribute.String("http.response.body", respBody[:limit]+"...(truncated)"))
} else {
span.SetAttributes(attribute.String("http.response.body", respBody))
}
}
// handle response related attributes
status := c.Writer.Status()
span.SetStatus(statusByWriter(status))
if status > 0 {
span.SetAttributes(semconv.HTTPResponseStatusCodeKey.Int(status))
}
if len(c.Errors) > 0 {
span.SetStatus(codes.Error, c.Errors.String())
for _, err := range c.Errors {
span.RecordError(err.Err)
}
}
}
}