基本介绍

请求流程往往会在上下文中共享一些自定义设置的变量,例如在请求开始之前通过中间件设置一些变量,随后在路由服务方法中可以获取该变量并相应对一些处理。这种需求非常常见。在GF框架中,我们推荐使用Context上下文对象来处理流程共享的上下文变量,甚至将该对象进一步传递到依赖的各个模块方法中。该Context对象类型实现了标准库的context.Context接口,该接口往往会作为模块间调用方法的第一个参数,该接口参数也是Golang官方推荐的在模块间传递上下文变量的推荐方式。

方法列表:

  1. func (r *Request) GetCtx() context.Context
  2. func (r *Request) SetCtx(ctx context.Context)
  3. func (r *Request) GetCtxVar(key interface{}, def ...interface{}) *gvar.Var
  4. func (r *Request) SetCtxVar(key interface{}, value interface{})

简要说明:

  1. GetCtx方法用于获取当前的context.Context对象,作用同Context方法。
  2. SetCtx方法用于设置自定义的context.Context上下文对象。
  3. GetCtxVar方法用于获取上下文变量,并可给定当该变量不存在时的默认值。
  4. SetCtxVar方法用于设置上下文变量。

使用示例

示例1,SetCtxVar/GetCtxVar

  1. package main
  2. import (
  3. "github.com/gogf/gf/frame/g"
  4. "github.com/gogf/gf/net/ghttp"
  5. )
  6. const (
  7. TraceIdName = "trace-id"
  8. )
  9. func main() {
  10. s := g.Server()
  11. s.Group("/", func(group *ghttp.RouterGroup) {
  12. group.Middleware(func(r *ghttp.Request) {
  13. r.SetCtxVar(TraceIdName, "HBm876TFCde435Tgf")
  14. r.Middleware.Next()
  15. })
  16. group.ALL("/", func(r *ghttp.Request) {
  17. r.Response.Write(r.GetCtxVar(TraceIdName))
  18. })
  19. })
  20. s.SetPort(8199)
  21. s.Run()
  22. }

可以看到,我们可以通过SetCtxVarGetCtxVar来设置和获取自定义的变量,该变量生命周期仅限于当前请求流程。

执行后,访问 http://127.0.0.1:8199/ ,页面输出内容为:

  1. HBm876TFCde435Tgf

示例2,SetCtx

SetCtx方法常用于中间件中整合一些第三方的组件,例如第三方的链路跟踪组件等等。

为简化示例,这里我们将上面的例子通过SetCtx方法来改造一下来做演示。

  1. package main
  2. import (
  3. "context"
  4. "github.com/gogf/gf/frame/g"
  5. "github.com/gogf/gf/net/ghttp"
  6. )
  7. const (
  8. TraceIdName = "trace-id"
  9. )
  10. func main() {
  11. s := g.Server()
  12. s.Group("/", func(group *ghttp.RouterGroup) {
  13. group.Middleware(func(r *ghttp.Request) {
  14. ctx := context.WithValue(r.Context(), TraceIdName, "HBm876TFCde435Tgf")
  15. r.SetCtx(ctx)
  16. r.Middleware.Next()
  17. })
  18. group.ALL("/", func(r *ghttp.Request) {
  19. r.Response.Write(r.Context().Value(TraceIdName))
  20. // 也可以使用
  21. // r.Response.Write(r.GetCtxVar(TraceIdName))
  22. })
  23. })
  24. s.SetPort(8199)
  25. s.Run()
  26. }

执行后,访问 http://127.0.0.1:8199/ ,页面输出内容为:

  1. HBm876TFCde435Tgf

Content Menu