logger.go 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101
  1. package logger
  2. import (
  3. "bytes"
  4. "github.com/gin-gonic/gin"
  5. "github.com/sirupsen/logrus"
  6. "io/ioutil"
  7. "net/http"
  8. "strings"
  9. "time"
  10. )
  11. // LogToFile 日志记录到文件
  12. func LogToFile() gin.HandlerFunc {
  13. return func(ctx *gin.Context) {
  14. // 初始化bodyLogWriter
  15. blw := &bodyLogWriter{
  16. body: bytes.NewBufferString(""),
  17. ResponseWriter: ctx.Writer,
  18. }
  19. ctx.Writer = blw
  20. // 开始时间
  21. startTime := time.Now()
  22. // 请求方式
  23. reqMethod := ctx.Request.Method
  24. // 请求路由
  25. reqUri := ctx.Request.RequestURI
  26. //如果是查询日志,则跳出,不记录日志
  27. if strings.Contains(reqUri, "/api/blade-log/usual") {
  28. ctx.Next()
  29. return
  30. }
  31. //请求参数
  32. request := getRequestBody(ctx)
  33. // 请求IP
  34. clientIP := ctx.ClientIP()
  35. // 处理请求
  36. ctx.Next()
  37. // 结束时间
  38. endTime := time.Now()
  39. // 执行时间
  40. latencyTime := endTime.Sub(startTime)
  41. // 状态码
  42. statusCode := ctx.Writer.Status()
  43. // 响应
  44. response := blw.body.String()
  45. //日志格式
  46. Logger.WithFields(logrus.Fields{
  47. "status_code": statusCode,
  48. "latency_time": latencyTime,
  49. "client_ip": clientIP,
  50. "req_method": reqMethod,
  51. "request": request,
  52. "response": response,
  53. "req_uri": reqUri,
  54. "t": time.Now().UnixMilli(), //用于es中按时间排序
  55. }).Info()
  56. }
  57. }
  58. func getRequestBody(ctx *gin.Context) interface{} {
  59. if strings.Contains(ctx.ContentType(), "multipart/form-data") {
  60. return "multipart"
  61. }
  62. switch ctx.Request.Method {
  63. case http.MethodGet:
  64. fallthrough
  65. case http.MethodDelete:
  66. return ctx.Request.URL.Query()
  67. case http.MethodPost:
  68. fallthrough
  69. case http.MethodPut:
  70. fallthrough
  71. case http.MethodPatch:
  72. var bodyBytes []byte
  73. bodyBytes, err := ioutil.ReadAll(ctx.Request.Body)
  74. if err != nil {
  75. return nil
  76. }
  77. ctx.Request.Body = ioutil.NopCloser(bytes.NewBuffer(bodyBytes))
  78. return string(bodyBytes)
  79. }
  80. return nil
  81. }
  82. // bodyLogWriter 定义一个存储响应内容的结构体
  83. type bodyLogWriter struct {
  84. gin.ResponseWriter
  85. body *bytes.Buffer
  86. }
  87. // Write 读取响应数据
  88. func (w bodyLogWriter) Write(b []byte) (int, error) {
  89. w.body.Write(b)
  90. return w.ResponseWriter.Write(b)
  91. }