解析请求和处理响应
前言
在这篇文章中,我们将探讨Gin的请求参数解析和响应机制,通过具体的代码示例,了解Gin如何处理各式各样的请求参数和响应。
主要内容:
- 处理响应:
- 响应纯文本
- 响应JSON结构体
- 响应XML结构体
- 响应文本
- 响应重定向
- 自定义响应头
- 响应cookie
- 解析请求参数
- 路径参数
- 查询参数
- 表单参数
- JSON结构体参数
- XML结构体参数
- 请求头参数
- cookie
- 文件上传(单文件和多文件)
处理响应
响应纯文本
package main
import (
"net/http"
"github.com/gin-gonic/gin"
)
func main() {
router := gin.Default()
router.GET("/text", func (c *gin.Context) () {
c.String(http.StatusOK, "Hello World")
})
if err := router.Run("127.0.0.1:8000"); err != nil {
panic(err)
}
}
响应JSON结构体
func RespJSON(c *gin.Context) {
var v struct {
Name string `json:"name"`
Age int `json:"age"`
}
v.Name = "zhangsan"
v.Age = 18
c.JSON(http.StatusOK, v)
}
func main() {
router := gin.Default()
router.GET("/json", func(c *gin.Context) {
c.JSON(http.StatusOK, gin.H{"message": "Hello World"})
})
router.GET("/json2", func(c *gin.Context) {
c.JSON(http.StatusOK, gin.H{
"code": 200,
"message": "success",
"data": map[string]any{
"name": "zhangsan",
"age": 18,
},
})
})
router.GET("/json3", RespJSON)
if err := router.Run("127.0.0.1:8000"); err != nil {
panic(err)
}
}
对于常见的响应JSON,还可以直接返回一个结构体,也便于统一响应格式。
package main
import (
"net/http"
"github.com/gin-gonic/gin"
)
type Reponse struct {
Code int `json:"code"`
Msg string `json:"msg"`
Data any `json:"data"`
}
func IndexHandler(c *gin.Context) {
c.JSON(http.StatusOK, Reponse{
Code: http.StatusOK,
Msg: "ok",
Data: map[string]any{
"messages": "hello world",
"nest1": map[string]any{
"k1": "v1",
"k2": "v2",
},
},
})
}
func main() {
router := gin.Default()
router.GET("/", IndexHandler)
router.Run("127.0.0.1:8000")
}
响应XML结构体
func main() {
router := gin.Default()
router.GET("/xml", func(c *gin.Context) {
c.XML(http.StatusOK, gin.H{"message": "Hello World"})
})
if err := router.Run("127.0.0.1:8000"); err != nil {
panic(err)
}
}
响应文件
func ResponseFileHandler(c *gin.Context) {
filePath := "README.md"
if _, err := os.Stat(filePath); os.IsNotExist(err) {
c.JSON(http.StatusNotFound, gin.H{
"msg": filePath + " not found",
})
}
// c.File() 是最基本的文件响应方式, 浏览器一般会在页面显示
// 如果要直接下载, 应该用 c.FileAttachment()
c.File(filePath)
}
func main() {
router := gin.Default()
router.GET("/file", ResponseFileHandler)
router.GET("/file2", func(c *gin.Context) {
// c.FileAttachment() 可以让浏览器直接下载文件
// 实际上就是在 c.File() 基础上添加响应头 content-disposition: attachment; filename="README.md"
c.FileAttachment("README.md", "README.md")
})
router.GET("/file3", func(c *gin.Context) {
// c.FileFromFS() 可以从不同文件系统中响应文件, 比如从OSS中返回文件
c.FileFromFS("README.md", http.Dir("."))
})
router.GET("/file4", func(c *gin.Context) {
// 对于特殊文件类型需要设置相对应的响应头
// 比如如果想要在浏览器直接打开pdf文件, 则需要指定Content-Type
c.Header("Content-Type", "application/pdf")
c.File("./hello.pdf")
})
if err := router.Run("127.0.0.1:8000"); err != nil {
panic(err)
}
}