基本介绍

在中间件中通过Next方法执行下一步流程,Next方法定义如下:

  1. func (c *Client) Next(req *http.Request) (*Response, error)

中间件类型

HTTPClient中间件功能同HTTPServer的中间件功能类似,同样也是分为了前置中间件和后置中间件两种。

处理逻辑位于Next方法之前,格式形如:

  1. c := g.Client()
  2. c.Use(func(c *ghttp.Client, r *http.Request) (resp *ghttp.ClientResponse, err error) {
  3. resp, err = c.Next(r)
  4. // 自定义处理逻辑
  5. return resp, err
  6. })

使用示例

我们来一个代码示例更好介绍使用,该示例通过给客户端增加拦截器,对提交的JSON数据注入自定义的额外参数,这些额外参数实现对提交参数的签名生成体积签名相关参数提交,也就是实现一版简单的接口参数安全校验。

服务端的逻辑很简单,就是把客户端提交的JSON参数按照map解析后再构造成JSON字符串返回给客户端。

往往服务端也需要通过中间件进行签名校验,我这里偷了一个懒,直接返回了客户端提交的数据。体谅一下文档维护作者😸。

  1. package main
  2. import (
  3. "bytes"
  4. "fmt"
  5. "io/ioutil"
  6. "net/http"
  7. "github.com/gogf/gf/v2/container/garray"
  8. "github.com/gogf/gf/v2/crypto/gmd5"
  9. "github.com/gogf/gf/v2/frame/g"
  10. "github.com/gogf/gf/v2/internal/json"
  11. "github.com/gogf/gf/v2/os/gtime"
  12. "github.com/gogf/gf/v2/util/gconv"
  13. "github.com/gogf/gf/v2/util/guid"
  14. "github.com/gogf/gf/v2/util/gutil"
  15. )
  16. const (
  17. appId = "123"
  18. appSecret = "456"
  19. )
  20. // 注入统一的接口签名参数
  21. func injectSignature(jsonContent []byte) []byte {
  22. var m map[string]interface{}
  23. _ = json.Unmarshal(jsonContent, &m)
  24. if len(m) > 0 {
  25. m["appid"] = appId
  26. m["nonce"] = guid.S()
  27. m["timestamp"] = gtime.Timestamp()
  28. var (
  29. keyArray = garray.NewSortedStrArrayFrom(gutil.Keys(m))
  30. sigContent string
  31. )
  32. keyArray.Iterator(func(k int, v string) bool {
  33. sigContent += v
  34. sigContent += gconv.String(m[v])
  35. return true
  36. m["signature"] = gmd5.MustEncryptString(gmd5.MustEncryptString(sigContent) + appSecret)
  37. jsonContent, _ = json.Marshal(m)
  38. }
  39. return jsonContent
  40. }
  41. func main() {
  42. c := g.Client()
  43. c.Use(func(c *gclient.Client, r *http.Request) (resp *gclient.Response, err error) {
  44. bodyBytes, _ := ioutil.ReadAll(r.Body)
  45. if len(bodyBytes) > 0 {
  46. // 注入签名相关参数,修改Request原有的提交参数
  47. bodyBytes = injectSignature(bodyBytes)
  48. r.Body = ioutil.NopCloser(bytes.NewBuffer(bodyBytes))
  49. r.ContentLength = int64(len(bodyBytes))
  50. }
  51. return c.Next(r)
  52. })
  53. content := c.ContentJson().PostContent(gctx.New(), "http://127.0.0.1:8199/", g.Map{
  54. "name": "goframe",
  55. "site": "https://goframe.org",
  56. })
  57. fmt.Println(content)
  58. }

先运行服务端:

再运行客户端:

  1. $ go run client.go
  2. {"appid":"123","name":"goframe","nonce":"12vd8tx23l6cbfz9k59xehk1002pixfo","signature":"578a90b67bdc63d551d6a18635307ba2","site":"https://goframe.org","timestamp":1621301076}
  3. $

可以看到,服务端接受到的参数多了多了几项,包括appid/nonce/timestamp/signature,这些参数往往都是签名校验算法所需要的参数。