Gin 入门指南 Swagger aipfox集成
简介
在构建 Web API 时,良好的文档对于开发者和用户都至关重要。Swagger (OpenAPI) 是一个强大的 API 文档工具,可以帮助我们自动生成交互式的 API 文档。本指南将详细介绍如何在 Gin 框架中集成和使用 Swagger。
一、环境准备
1. 安装依赖
linux
# 安装 swag 命令行工具
go install github.com/swaggo/swag/cmd/swag@latest
# 安装 gin-swagger
go get -u github.com/swaggo/gin-swagger
go get -u github.com/swaggo/files
# 安装 swaggo/swag
go get -u github.com/swaggo/swag
2. 项目结构
推荐的项目结构如下:
linux
.
├── api/ # API 相关代码
│ └── v1/ # API 版本
├── docs/ # swagger文档
├── handlers/ # 路由处理函数
├── internal/ # 内部代码
├── models/ # 数据模型
├── pkg/ # 公共包
└── main.go # 入口文件
快捷命令创建项目结构:
linux
mkdir myproject && cd myproject
mkdir -p api/v1 docs handlers internal models pkg
touch main.go
go mod init myproject
二、代码实现
1. 定义数据模型
在 models
目录中定义统一的请求响应结构:
go
// 统一响应格式
type Response struct {
Code int `json:"code" example:"200"` // 响应码
Message string `json:"message" example:"success"` // 响应信息
Data interface{} `json:"data"` // 响应数据
}
// 分页请求
type PageRequest struct {
Page int `json:"page" form:"page" example:"1"` // 页码
PageSize int `json:"page_size" form:"page_size" example:"10"` // 每页数量
}
// 分页响应
type PageResponse struct {
Total int64 `json:"total" example:"100"` // 总数
List interface{} `json:"list"` // 数据列表
Page int `json:"page" example:"1"` // 当前页
PageSize int `json:"page_size" example:"10"` // 每页数量
}
// 用户模型示例
type User struct {
ID uint `json:"id" example:"1"`
Username string `json:"username" binding:"required" example:"test123" description:"用户名"`
Email string `json:"email" binding:"required,email" example:"[email protected]"`
CreatedAt time.Time `json:"created_at" example:"2024-01-21T00:00:00Z"`
}
2. API 注释示例
在 handler 中添加标准的 Swagger 注释:
go
// @Summary 用户登录
// @Description 用户登录接口
// @Tags 用户管理
// @Accept json
// @Produce json
// @Param data body LoginRequest true "登录信息"
// @Success 200 {object} Response{data=LoginResponse} "登录成功"
// @Failure 400 {object} Response{} "请求错误"
// @Router /api/v1/user/login [post]
func Login(c *gin.Context) {
// 处理逻辑
}
type LoginRequest struct {
Username string `json:"username" binding:"required" example:"test123"`
Password string `json:"password" binding:"required" example:"123456"`
}
type LoginResponse struct {
Token string `json:"token" example:"eyJhbGciOiJIUzI1NiIs..."`
ExpiresIn int64 `json:"expires_in" example:"3600"`
}
3. 主程序配置
在 main.go
中配置路由和 Swagger:
go
package main
import (
"github.com/gin-gonic/gin"
"github.com/swaggo/files"
"github.com/swaggo/gin-swagger"
_ "./docs" // swagger docs
)
// @title User API
// @version 1.0
// @description 这是一个用户管理API示例
// @host localhost:8080
// @BasePath /api/v1
func main() {
r := gin.Default()
// API 路由组
v1 := r.Group("/api/v1")
{
user := v1.Group("/user")
{
user.POST("/login", Login)
// 其他路由...
}
}
// Swagger API 文档路由
r.GET("/swagger/*any", ginSwagger.WrapHandler(swaggerFiles.Handler))
// 允许跨域访问
r.Use(Cors())
r.Run(":8080")
}
三、文档生成与访问
1. 生成 Swagger 文档
在项目根目录执行:
linux
swag init
2. 访问文档
启动项目后访问:
linux
http://localhost:8080/swagger/index.html
3. 导出接口数据
访问以下地址获取 Swagger JSON:
linux
http://localhost:8080/swagger/doc.json
四、Mock 数据配置
1. 在注释中定义 Mock 规则
linux
// @Success 200 {object} Response{data=PageResponse{list=[]User}} "x-mock-type=mock"
2. 数据模型示例配置
go
type User struct {
ID uint `json:"id" example:"1"` // @mock=@increment
Username string `json:"username" example:"user_@natural(1,100)"` // @mock=@string
Email string `json:"email" example:"@email"` // @mock=@email
Age int `json:"age" example:"25" minimum:"18" maximum:"100"` // @mock=@natural(18,100)
Status int `json:"status" example:"1" enums:"0,1,2"` // @mock=@pick([0,1,2])
}
五、最佳实践
1. 统一错误处理
go
func ErrorHandler() gin.HandlerFunc {
return func(c *gin.Context) {
c.Next()
if len(c.Errors) > 0 {
err := c.Errors.Last()
c.JSON(http.StatusOK, Response{
Code: 400,
Message: err.Error(),
Data: nil,
})
return
}
}
}
2. 跨域配置
go
func Cors() gin.HandlerFunc {
return func(c *gin.Context) {
c.Header("Access-Control-Allow-Origin", "*")
c.Header("Access-Control-Allow-Methods", "GET,POST,PUT,PATCH,DELETE,OPTIONS")
c.Header("Access-Control-Allow-Headers", "Authorization,Content-Type")
c.Header("Access-Control-Expose-Headers", "Content-Length,Access-Control-Allow-Origin,Access-Control-Allow-Headers")
c.Header("Access-Control-Max-Age", "172800")
c.Header("Access-Control-Allow-Credentials", "true")
if c.Request.Method == "OPTIONS" {
c.AbortWithStatus(http.StatusNoContent)
return
}
c.Next()
}
}
3. 响应封装
go
func Success(c *gin.Context, data interface{}) {
c.JSON(http.StatusOK, Response{
Code: 200,
Message: "success",
Data: data,
})
}
func Error(c *gin.Context, code int, message string) {
c.JSON(http.StatusOK, Response{
Code: code,
Message: message,
Data: nil,
})
}
六、进阶配置
1. 添加认证信息
go
// @securityDefinitions.apikey Bearer
// @in header
// @name Authorization
2. 添加版本信息
go
// @version 1.0
// @title Your API Title
// @description Your API Description
// @contact.name API Support
// @contact.url http://www.example.com/support
// @contact.email [email protected]
七、总结
本指南通过一系列实用示例,为你展示了如何使用 Gin 框架结合 Swagger 构建专业的 Web API 项目。我们覆盖了从环境搭建到进阶实践的完整流程:
- 项目结构的最佳实践
- Swagger 文档的集成与配置
- 统一的请求响应处理
- Mock 数据的规范配置
- 错误处理与跨域设置
- 认证与版本管理
如果你在使用过程中:
- 发现了更好的实践方式
- 遇到了文档中未覆盖的问题
- 有新的功能需求或建议
欢迎通过评论区交流,你的反馈将帮助我们不断完善这份指南,让更多开发者受益。一起在实践中成长,让我们的 API 开发之路更加顺畅。 写作不易,如果对你有帮助帮我点赞收藏收留言吧。
相关文章:
Gin 入门指南 https://juejin.cn/user/2696441245481975/posts
gin HTTP响应格式统一处理 https://juejin.cn/user/2696441245481975/posts