Gin golang web开发模型绑定实现过程解析
我们了解到gin可用通过类似defaultquery或defaultpostform等方法获取到前端提交过来的参数。参数不多的情况下也很好用,但是想想看,如果接口有很多个参数的时候再用这种方法就要调用很多次获取参数的方法,本文将介绍一种新的接收参数的方法来解决这个问题:模型绑定。
gin中的模型绑定可以理解为:把请求的参数映射为一个具体的类型。gin支持json,xml,yaml和表单参数等多种参数格式,只需要在对应的字段上声明标签。
绑定表单或者查询字符串
type person struct { name string `form:"name"` address string `form:"address"` } func startpage(c *gin.context) { var person person if c.shouldbindquery(&person) == nil { log.println(person.name) log.println(person.address) } c.string(200, "success") }
在结构体name字段声明form标签,并调用shouldbindquery方法,gin会为我们绑定查询字符串中的name和address两个参数。注意虽然我们声明了form标签,shouldbindquery只绑定查询字符串中的参数。
如果你想绑定表单中的参数的话结构体不用改变,需要把shouldbindquery方更改为shouldbind方法。shouldbind方法会区分get和post请求,如果是get请求绑定查询字符串中的参数,如果是post请求绑定表单参数中的内容,但是不能同时绑定两种参数。
绑定json参数
type person struct { name string `json:"name"` address string `json:"address"` } func startpage(c *gin.context) { var person person if c.shouldbind(&person) == nil { log.println(person.name) log.println(person.address) } c.string(200, "success") }
json是一种常用的数据交换格式,尤其是在和web前端页面交互的时候,似乎已经成为了一种事实标准。gin绑定json格式数据方法很简单,只需要设置字段的标签为json并且调用shouldbind方法。
其他类型参数绑定
路由参数在绑定时设置标签为uri,并调用shouldbinduri方法。
type person struct { id string `uri:"id"` } func startpage(c *gin.context) { var person person if c.shouldbinduri(&person) == nil { log.println(person.id) } c.string(200, "success") }
绑定在http header中的参数,字段的标签设置为header,调用方法为shouldbindheader。
还有不太常用的数组参数是字段标签设置为form:"colors[]",结构体例子如下:
type myform struct { colors []string `form:"colors[]"` }
文件上传这种场景我很少用模型绑定的方式获取参数,在gin中对于这种场景也提供了模型绑定支持。
type profileform struct { name string `form:"name"` avatar *multipart.fileheader `form:"avatar"` // avatars []*multipart.fileheader `form:"avatar"` 多文件上传 } func main() { router := gin.default() router.post("/profile", func(c *gin.context) { var form profileform if err := c.shouldbind(&form); err != nil { c.string(http.statusbadrequest, "bad request") return } err := c.saveuploadedfile(form.avatar, form.avatar.filename) if err != nil { c.string(http.statusinternalservererror, "unknown error") return } c.string(http.statusok, "ok") }) router.run(":8080") }
多种类型的模型绑定
如果我们有一个updateuser接口,put /user/:id,参数是{"nickname": "nickname...","mobile": "13322323232"}。代码如下:
type profileform struct { id int `uri:"id"` nickname string `json:"nickname"` // 昵称 mobile string `json:"mobile"` // 手机号 } func main() { router := gin.default() router.get("/user/:id", func(c *gin.context) { var form profileform if err := c.shouldbinduri(&form); err != nil { c.json(http.statusbadrequest, gin.h{"error": err.error()}) return } if err := c.shouldbindjson(&form); err != nil { c.json(http.statusbadrequest, gin.h{"error": err.error()}) return } c.string(http.statusok, "ok") }) router.run(":8080") }
代码里调用了两次bind方法才获取到全部的参数。和gin社区沟通之后发现目前还不能调用一个方法同时绑定多个参数来源,当前gin版本为1.6.x,不知道未来会不会提供这种功能。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。
上一篇: 华为mate40Pro防不防水 什么是IP68级防尘防水
下一篇: 小两口的风花雪月