目前,基于Go的web框架也可谓是百花齐放了,之所以选择gin
,没其他原因,就只是因为其在github上的star数是最多的,而且仅仅从README看,其文档也是相当丰富的。
安装gin
直接使用go get github.com/gin-gonic/gin
即可。
官方README中提供了非常多的例子。例如最简单的实例代码:
1 2 3 4 5 6 7 8 9 10 11 12 13
| package main
import "github.com/gin-gonic/gin"
func main() { r := gin.Default() r.GET("/ping", func(c *gin.Context) { c.JSON(200, gin.H{ "message": "pong", }) }) r.Run() }
|
路由
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| router := gin.Default() router := gin.New() router.Use(gin.Logger()) router.GET("/test", MyMiddleware(), testEndpoint) router.GET("/someGet", getting)
router.GET("/user/:name", func(c *gin.Context) { name := c.Param("name") })
router.GET("/user/:name/*action", ...)
v1 := router.Group("/v1") { v1.POST("/login", loginEndpoint) v1.POST("/submit", submitEndpoint) }
v1.Use(AuthRequired()) {}
|
请求与响应
请求
1 2 3 4 5 6 7 8 9 10 11 12 13
| c.Params.ByName("name")
c.Query("name") c.DefaultQuery("name", "Guest")
c.PostForm("name") c.DefaultPostForm("name")
c.Request.URL.Path
|
参数绑定
请求验证
响应
1 2 3 4 5 6 7 8 9 10
| c.String(200, "pong")
c.JSON(200, gin.H{ "message": "pong", })
c.Redirect(http.StatusMovedPermanently, "https://google.com")
|
中间件
自定义中间件
BasicAuth中间件
异步协程
gin可以借助协程来实现异步任务,但是这时候得手动copy上下文,并且只能是可读取的。
1 2 3 4 5 6 7
| router.GET("/async", func(c *gin.Context) { cCp := c.Copy() go func() { time.Sleep(5 * time.Second) log.Println("Done! in path" + cCp.Request.URL.Path) }() })
|