logger.go 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495
  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. // LoggerToFile 日志记录到文件
  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. request := getRequestBody(ctx)
  28. // 请求IP
  29. clientIP := ctx.ClientIP()
  30. // 处理请求
  31. ctx.Next()
  32. // 结束时间
  33. endTime := time.Now()
  34. // 执行时间
  35. latencyTime := endTime.Sub(startTime)
  36. // 状态码
  37. statusCode := ctx.Writer.Status()
  38. // 响应
  39. response := blw.body.String()
  40. //日志格式
  41. Logger.WithFields(logrus.Fields{
  42. "status_code": statusCode,
  43. "latency_time": latencyTime,
  44. "client_ip": clientIP,
  45. "req_method": reqMethod,
  46. "request": request,
  47. "response": response,
  48. "req_uri": reqUri,
  49. }).Info()
  50. }
  51. }
  52. func getRequestBody(ctx *gin.Context) interface{} {
  53. if strings.Contains(ctx.ContentType(), "multipart/form-data") {
  54. return "multipart"
  55. }
  56. switch ctx.Request.Method {
  57. case http.MethodGet:
  58. fallthrough
  59. case http.MethodDelete:
  60. return ctx.Request.URL.Query()
  61. case http.MethodPost:
  62. fallthrough
  63. case http.MethodPut:
  64. fallthrough
  65. case http.MethodPatch:
  66. var bodyBytes []byte
  67. bodyBytes, err := ioutil.ReadAll(ctx.Request.Body)
  68. if err != nil {
  69. return nil
  70. }
  71. ctx.Request.Body = ioutil.NopCloser(bytes.NewBuffer(bodyBytes))
  72. return string(bodyBytes)
  73. }
  74. return nil
  75. }
  76. // bodyLogWriter 定义一个存储响应内容的结构体
  77. type bodyLogWriter struct {
  78. gin.ResponseWriter
  79. body *bytes.Buffer
  80. }
  81. // Write 读取响应数据
  82. func (w bodyLogWriter) Write(b []byte) (int, error) {
  83. w.body.Write(b)
  84. return w.ResponseWriter.Write(b)
  85. }