Skip to content

Commit b091411

Browse files
committed
新增zap日志、统一配置文件、封装响应
1 parent 2399794 commit b091411

15 files changed

+6165
-0
lines changed

.idea/.gitignore

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/dataSources.xml

+12
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/gin-blog.iml

+9
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/modules.xml

+8
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/sqldialects.xml

+6
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/vcs.xml

+6
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

.idea/watcherTasks.xml

+29
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

config/config.ini

+23
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
[server]
2+
# debug 开发模式,release 生产模式
3+
AppMode = debug
4+
HttpPort = :8848
5+
JwtKey = nihaoshijie
6+
7+
[database]
8+
Db = mysql
9+
DbHost = 127.0.0.1
10+
DbPort = 3306
11+
DbUser = root
12+
DbPassWord = 123456
13+
DbName = myblog
14+
15+
[zap-log]
16+
Level = debug
17+
Filename = ./log/test.log
18+
MaxSize = 1
19+
MaxBackups = 5
20+
MaxAge = 30
21+
Compress = false
22+
23+

log/test-2023-04-17T11-12-06.711.log

+5,681
Large diffs are not rendered by default.

log/test.log

+101
Large diffs are not rendered by default.

log/zaplog.go

+61
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,61 @@
1+
package log
2+
3+
import (
4+
"gin-blog/utils"
5+
"os"
6+
7+
"go.uber.org/zap"
8+
"go.uber.org/zap/zapcore"
9+
"gopkg.in/natefinch/lumberjack.v2"
10+
)
11+
12+
var Lg *zap.Logger
13+
14+
// InitLogger 初始化Logger
15+
func InitLogger() (err error) {
16+
writeSyncer := getLogWriter()
17+
encoder := getEncoder()
18+
var l = new(zapcore.Level)
19+
err = l.UnmarshalText([]byte(utils.Level))
20+
if err != nil {
21+
return
22+
}
23+
var core zapcore.Core
24+
if utils.AppMode == "debug" {
25+
26+
consoleEncoder := zapcore.NewConsoleEncoder(zap.NewDevelopmentEncoderConfig())
27+
core = zapcore.NewTee(
28+
zapcore.NewCore(encoder, writeSyncer, l),
29+
zapcore.NewCore(consoleEncoder, zapcore.Lock(os.Stdout), zapcore.DebugLevel),
30+
)
31+
32+
} else {
33+
34+
core = zapcore.NewCore(encoder, writeSyncer, l)
35+
}
36+
37+
Lg = zap.New(core, zap.AddCaller())
38+
zap.ReplaceGlobals(Lg) // 替换zap包中全局的logger实例,后续在其他包中只需使用zap.L()调用即可
39+
return
40+
}
41+
42+
func getEncoder() zapcore.Encoder {
43+
encoderConfig := zap.NewProductionEncoderConfig()
44+
encoderConfig.EncodeTime = zapcore.ISO8601TimeEncoder
45+
encoderConfig.TimeKey = "time"
46+
encoderConfig.EncodeLevel = zapcore.CapitalLevelEncoder
47+
encoderConfig.EncodeDuration = zapcore.SecondsDurationEncoder
48+
encoderConfig.EncodeCaller = zapcore.ShortCallerEncoder
49+
return zapcore.NewJSONEncoder(encoderConfig)
50+
}
51+
52+
func getLogWriter() zapcore.WriteSyncer {
53+
lumberJackLogger := &lumberjack.Logger{
54+
Filename: utils.Filename,
55+
MaxSize: utils.MaxSize,
56+
MaxBackups: utils.MaxBackups,
57+
MaxAge: utils.MaxAge,
58+
Compress: utils.Compress,
59+
}
60+
return zapcore.AddSync(lumberJackLogger)
61+
}

middleware/Cors.go

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
package middleware
2+
3+
import (
4+
"time"
5+
6+
"github.com/gin-contrib/cors"
7+
"github.com/gin-gonic/gin"
8+
)
9+
10+
func Cors() gin.HandlerFunc {
11+
return cors.New(
12+
cors.Config{
13+
//AllowAllOrigins: true,
14+
AllowOrigins: []string{"*"}, // 等同于允许所有域名 #AllowAllOrigins: true
15+
AllowMethods: []string{"GET", "POST", "PUT", "DELETE", "OPTIONS"},
16+
AllowHeaders: []string{"*", "Authorization"},
17+
ExposeHeaders: []string{"Content-Length", "text/plain", "Authorization", "Content-Type"},
18+
AllowCredentials: true,
19+
MaxAge: 12 * time.Hour,
20+
},
21+
)
22+
}

middleware/LogMiddleware.go

+84
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,84 @@
1+
package middleware
2+
3+
import (
4+
"gin-blog/log"
5+
"net"
6+
"net/http"
7+
"net/http/httputil"
8+
"os"
9+
"runtime/debug"
10+
"strings"
11+
"time"
12+
13+
"github.com/gin-gonic/gin"
14+
"go.uber.org/zap"
15+
)
16+
17+
// GinLogger 接收gin框架默认的日志
18+
func GinLogger() gin.HandlerFunc {
19+
return func(c *gin.Context) {
20+
start := time.Now()
21+
path := c.Request.URL.Path
22+
query := c.Request.URL.RawQuery
23+
c.Next()
24+
25+
cost := time.Since(start)
26+
log.Lg.Info(path,
27+
zap.Int("status", c.Writer.Status()),
28+
zap.String("method", c.Request.Method),
29+
zap.String("path", path),
30+
zap.String("query", query),
31+
zap.String("ip", c.ClientIP()),
32+
zap.String("user-agent", c.Request.UserAgent()),
33+
zap.String("errors", c.Errors.ByType(gin.ErrorTypePrivate).String()),
34+
zap.Duration("cost", cost),
35+
)
36+
}
37+
}
38+
39+
// GinRecovery recover掉项目可能出现的panic,并使用zap记录相关日志
40+
func GinRecovery(stack bool) gin.HandlerFunc {
41+
return func(c *gin.Context) {
42+
defer func() {
43+
if err := recover(); err != nil {
44+
// Check for a broken connection, as it is not really a
45+
// condition that warrants a panic stack trace.
46+
var brokenPipe bool
47+
if ne, ok := err.(*net.OpError); ok {
48+
if se, ok := ne.Err.(*os.SyscallError); ok {
49+
if strings.Contains(strings.ToLower(se.Error()), "broken pipe") || strings.Contains(strings.ToLower(se.Error()), "connection reset by peer") {
50+
brokenPipe = true
51+
}
52+
}
53+
}
54+
55+
httpRequest, _ := httputil.DumpRequest(c.Request, false)
56+
if brokenPipe {
57+
log.Lg.Error(c.Request.URL.Path,
58+
zap.Any("error", err),
59+
zap.String("request", string(httpRequest)),
60+
)
61+
// If the connection is dead, we can't write a status to it.
62+
c.Error(err.(error)) // nolint: errcheck
63+
c.Abort()
64+
return
65+
}
66+
67+
if stack {
68+
log.Lg.Error("[Recovery from panic]",
69+
zap.Any("error", err),
70+
zap.String("request", string(httpRequest)),
71+
zap.String("stack", string(debug.Stack())),
72+
)
73+
} else {
74+
log.Lg.Error("[Recovery from panic]",
75+
zap.Any("error", err),
76+
zap.String("request", string(httpRequest)),
77+
)
78+
}
79+
c.AbortWithStatus(http.StatusInternalServerError)
80+
}
81+
}()
82+
c.Next()
83+
}
84+
}

models/response/response.go

+55
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,55 @@
1+
package response
2+
3+
import (
4+
"net/http"
5+
6+
"github.com/gin-gonic/gin"
7+
)
8+
9+
type Response struct {
10+
Code int `json:"code"`
11+
Data interface{} `json:"data"`
12+
Msg string `json:"msg"`
13+
}
14+
15+
const (
16+
ERROR = 7
17+
SUCCESS = 0
18+
)
19+
20+
func Result(code int, data interface{}, msg string, c *gin.Context) {
21+
// 开始时间
22+
c.JSON(http.StatusOK, Response{
23+
code,
24+
data,
25+
msg,
26+
})
27+
}
28+
29+
func Ok(c *gin.Context) {
30+
Result(SUCCESS, map[string]interface{}{}, "操作成功", c)
31+
}
32+
33+
func OkWithMessage(message string, c *gin.Context) {
34+
Result(SUCCESS, map[string]interface{}{}, message, c)
35+
}
36+
37+
func OkWithData(data interface{}, c *gin.Context) {
38+
Result(SUCCESS, data, "查询成功", c)
39+
}
40+
41+
func OkWithDetailed(data interface{}, message string, c *gin.Context) {
42+
Result(SUCCESS, data, message, c)
43+
}
44+
45+
func Fail(c *gin.Context) {
46+
Result(ERROR, map[string]interface{}{}, "操作失败", c)
47+
}
48+
49+
func FailWithMessage(message string, c *gin.Context) {
50+
Result(ERROR, map[string]interface{}{}, message, c)
51+
}
52+
53+
func FailWithDetailed(data interface{}, message string, c *gin.Context) {
54+
Result(ERROR, data, message, c)
55+
}

0 commit comments

Comments
 (0)