1 context简介

标准库context,它定义了Context类型,专门用来简化 对于处理单个请求的多个 goroutine 之间与请求域的数据、取消信号、截止时间等相关操作,这些操作可能涉及多个 API 调用。
对服务器传入的请求应该创建上下文,而对服务器的传出调用应该接受上下文。它们之间的函数调用链必须传递上下文,或者可以使用WithCancel、WithDeadline、WithTimeout或WithValue创建的派生上下文。当一个上下文被取消时,它派生的所有上下文也被取消。

2 Context接口

context.Context是一个接口,该接口定义了四个需要实现的方法。

  1. type Context interface {
  2. Deadline() (deadline time.Time, ok bool)
  3. Done() <-chan struct{}
  4. Err() error
  5. Value(key interface{}) interface{}
  6. }
  • Deadline()方法需要返回当前Context被取消的时间,也就是完成工作的截止时间(deadline);
  • Done()方法需要返回一个Channel,这个Channel会在当前工作完成或者上下文被取消之后关闭,多次调用Done方法会返回同一个Channel;
  • Err()方法会返回当前Context结束的原因,它只会在Done返回的Channel被关闭时才会返回非空的值;
    • 如果当前Context被取消就会返回Canceled错误;
    • 如果当前Context超时就会返回DeadlineExceeded错误;
  • Value方法会从Context中返回键对应的值,对于同一个上下文来说,多次调用Value 并传入相同的Key会返回相同的结果,该方法仅用于传递跨API和进程间跟请求域的数据;

    3 Background()和TODO()

    Go内置两个函数:Background()和TODO(),这两个函数分别返回一个实现了Context接口的background和todo。我们代码中最开始都是以这两个内置的上下文对象作为最顶层的partent context,衍生出更多的子上下文对象。
    Background()主要用于main函数、初始化以及测试代码中,作为Context这个树结构的最顶层的Context,也就是根Context。
    TODO(),它目前还不知道具体的使用场景,如果我们不知道该使用什么Context的时候,可以使用这个。

    4 with系列函数

    (1) WithCancel

    1. func WithCancel(parent Context) (ctx Context, cancel CancelFunc)

    WithCancel返回带有新Done通道的父节点的副本。当调用返回的cancel函数或当关闭父上下文的Done通道时,将关闭返回上下文的Done通道,无论先发生什么情况。

    1. func gen(ctx context.Context) <-chan int {
    2. dst := make(chan int)
    3. n := 1
    4. go func() {
    5. for {
    6. select {
    7. case <-ctx.Done():
    8. return // return结束该goroutine,防止泄露
    9. case dst <- n:
    10. n++
    11. }
    12. }
    13. }()
    14. return dst
    15. }
    16. func main() {
    17. ctx, cancel := context.WithCancel(context.Background())
    18. defer cancel() // 当我们取完需要的整数后调用cancel
    19. for n := range gen(ctx) {
    20. fmt.Println(n)
    21. if n == 5 {
    22. break
    23. }
    24. }
    25. }

    (2) WithDeadline

    1. func WithDeadline(parent Context, deadline time.Time) (Context, CancelFunc)

    返回父上下文的副本,并将deadline调整为不迟于d。如果父上下文的deadline已经早于d,则WithDeadline(parent, d)在语义上等同于父上下文。当截止日过期时,当调用返回的cancel函数时,或者当父上下文的Done通道关闭时,返回上下文的Done通道将被关闭,以最先发生的情况为准。

取消此上下文将释放与其关联的资源,因此代码应该在此上下文中运行的操作完成后立即调用cancel。

  1. func main() {
  2. d := time.Now().Add(50 * time.Millisecond)
  3. ctx, cancel := context.WithDeadline(context.Background(), d)
  4. // 尽管ctx会过期,但在任何情况下调用它的cancel函数都是很好的实践。
  5. // 如果不这样做,可能会使上下文及其父类存活的时间超过必要的时间。
  6. defer cancel()
  7. select {
  8. case <-time.After(1 * time.Second):
  9. fmt.Println("overslept")
  10. case <-ctx.Done():
  11. fmt.Println(ctx.Err())
  12. }
  13. }

上面的代码中,定义了一个50毫秒之后过期的deadline,然后我们调用context.WithDeadline(context.Background(), d)得到一个上下文(ctx)和一个取消函数(cancel),然后使用一个select让主程序陷入等待:等待1秒后打印overslept退出或者等待ctx过期后退出。 因为ctx50秒后就过期,所以ctx.Done()会先接收到值,上面的代码会打印ctx.Err()取消原因。

(3) WithTimeout

  1. func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc)

WithTimeout返回WithDeadline(parent, time.Now().Add(timeout))。

取消此上下文将释放与其相关的资源,因此代码应该在此上下文中运行的操作完成后立即调用cancel,通常用于数据库或者网络连接的超时控制。具体示例如下:

  1. package main
  2. import (
  3. "context"
  4. "fmt"
  5. "sync"
  6. "time"
  7. )
  8. // context.WithTimeout
  9. var wg sync.WaitGroup
  10. func worker(ctx context.Context) {
  11. LOOP:
  12. for {
  13. fmt.Println("db connecting ...")
  14. time.Sleep(time.Millisecond * 10) // 假设正常连接数据库耗时10毫秒
  15. select {
  16. case <-ctx.Done(): // 50毫秒后自动调用
  17. break LOOP
  18. default:
  19. }
  20. }
  21. fmt.Println("worker done!")
  22. wg.Done()
  23. }
  24. func main() {
  25. // 设置一个50毫秒的超时
  26. ctx, cancel := context.WithTimeout(context.Background(), time.Millisecond*50)
  27. wg.Add(1)
  28. go worker(ctx)
  29. time.Sleep(time.Second * 5)
  30. cancel() // 通知子goroutine结束
  31. wg.Wait()
  32. fmt.Println("over")
  33. }

(4) WithValue

WithValue函数能够将请求作用域的数据与 Context 对象建立关系。

  1. func WithValue(parent Context, key, val interface{}) Context

WithValue返回父节点的副本,其中与key关联的值为val。

仅对API和进程间传递请求域的数据使用上下文值,而不是使用它来传递可选参数给函数。

所提供的键必须是可比较的,并且不应该是string类型或任何其他内置类型,以避免使用上下文在包之间发生冲突。WithValue的用户应该为键定义自己的类型。为了避免在分配给interface{}时进行分配,上下文键通常具有具体类型struct{}。或者,导出的上下文关键变量的静态类型应该是指针或接口。

  1. package main
  2. import (
  3. "context"
  4. "fmt"
  5. "sync"
  6. "time"
  7. )
  8. // context.WithValue
  9. type TraceCode string
  10. var wg sync.WaitGroup
  11. func worker(ctx context.Context) {
  12. key := TraceCode("TRACE_CODE")
  13. traceCode, ok := ctx.Value(key).(string) // 在子goroutine中获取trace code
  14. if !ok {
  15. fmt.Println("invalid trace code")
  16. }
  17. LOOP:
  18. for {
  19. fmt.Printf("worker, trace code:%s\n", traceCode)
  20. time.Sleep(time.Millisecond * 10) // 假设正常连接数据库耗时10毫秒
  21. select {
  22. case <-ctx.Done(): // 50毫秒后自动调用
  23. break LOOP
  24. default:
  25. }
  26. }
  27. fmt.Println("worker done!")
  28. wg.Done()
  29. }
  30. func main() {
  31. // 设置一个50毫秒的超时
  32. ctx, cancel := context.WithTimeout(context.Background(), time.Millisecond*50)
  33. // 在系统的入口中设置trace code传递给后续启动的goroutine实现日志数据聚合
  34. ctx = context.WithValue(ctx, TraceCode("TRACE_CODE"), "12512312234")
  35. wg.Add(1)
  36. go worker(ctx)
  37. time.Sleep(time.Second * 5)
  38. cancel() // 通知子goroutine结束
  39. wg.Wait()
  40. fmt.Println("over")
  41. }

5 案例: 客户端超时取消请求

(1) server

  1. package main
  2. import (
  3. "fmt"
  4. "math/rand"
  5. "net/http"
  6. "time"
  7. )
  8. // server端,随机出现慢响应
  9. func indexHandler(w http.ResponseWriter, r *http.Request) {
  10. number := rand.Intn(2)
  11. if number == 0 {
  12. time.Sleep(time.Second * 10) // 耗时10秒的慢响应
  13. fmt.Fprintf(w, "slow response")
  14. return
  15. }
  16. fmt.Fprint(w, "quick response")
  17. }
  18. func main() {
  19. http.HandleFunc("/", indexHandler)
  20. err := http.ListenAndServe(":8000", nil)
  21. if err != nil {
  22. panic(err)
  23. }
  24. }

(2) client

  1. package main
  2. import (
  3. "context"
  4. "fmt"
  5. "io/ioutil"
  6. "net/http"
  7. "sync"
  8. "time"
  9. )
  10. type respData struct {
  11. resp *http.Response
  12. err error
  13. }
  14. func doCall(ctx context.Context) {
  15. transport := http.Transport{
  16. DisableKeepAlives: true, // 请求不频繁使用短链接
  17. }
  18. client := http.Client{
  19. Transport: &transport,
  20. }
  21. req, err := http.NewRequest("GET", "http://127.0.0.1:8000/", nil)
  22. if err != nil {
  23. fmt.Printf("new requestg failed, err:%v\n", err)
  24. return
  25. }
  26. req = req.WithContext(ctx) // 使用带超时的ctx创建一个新的client request
  27. var wg sync.WaitGroup
  28. wg.Add(1)
  29. defer wg.Wait()
  30. respChan := make(chan *respData, 1)
  31. go func() {
  32. resp, err := client.Do(req)
  33. fmt.Printf("client.do resp:%v, err:%v\n", resp, err)
  34. rd := &respData{
  35. resp: resp,
  36. err: err,
  37. }
  38. respChan <- rd
  39. wg.Done()
  40. }()
  41. select {
  42. case <-ctx.Done():
  43. fmt.Println("call api timeout")
  44. case result := <-respChan:
  45. fmt.Println("call server api success")
  46. if result.err != nil {
  47. fmt.Printf("call server api failed, err:%v\n", result.err)
  48. return
  49. }
  50. defer result.resp.Body.Close()
  51. data, _ := ioutil.ReadAll(result.resp.Body)
  52. fmt.Printf("resp:%v\n", string(data))
  53. }
  54. }
  55. func main() {
  56. // 定义一个100毫秒的超时
  57. ctx, cancel := context.WithTimeout(context.Background(), time.Millisecond*100)
  58. defer cancel() // 调用cancel释放子goroutine资源
  59. doCall(ctx)
  60. }

6 案例: 优雅退出子go程

在Go中, 不能直接杀死协程,
协程的关闭, 一般采用channel和select的方式来控制
但在某些场景下, 一个请求可能会开启多个协程, 它们需要被同时关闭
这样用channel和select就比较难实现, 而context就可以解决这个问题

(1) 关闭单个协程

  1. package main
  2. import (
  3. "context"
  4. "fmt"
  5. "time"
  6. )
  7. func doWork(ctx context.Context) {
  8. ch := make(chan int) // 这个用来放返回值
  9. // 真正的逻辑要放到一个go程里去做
  10. go func() {
  11. for i := 0; i < 100; i++ {
  12. fmt.Println("do work")
  13. if i == 1 { // 调整这个值看效果
  14. ch <- 5
  15. break
  16. }
  17. time.Sleep(time.Second * 1)
  18. }
  19. fmt.Println("work done")
  20. }()
  21. select {
  22. case <-ctx.Done():
  23. fmt.Println("cancel")
  24. case i := <-ch:
  25. fmt.Println("return", i)
  26. }
  27. }
  28. func main() {
  29. ctx, cancel := context.WithCancel(context.Background())
  30. go doWork(ctx)
  31. fmt.Println("开始")
  32. time.Sleep(time.Second * 2)
  33. fmt.Println("正在取消")
  34. cancel()
  35. fmt.Println("取消完成")
  36. time.Sleep(time.Second * 2)
  37. fmt.Println("结束")
  38. }

输出结果为:

开始 do work do work work done get 5 正在取消 取消完成 结束

(2) 关闭多个协程

  1. package main
  2. import (
  3. "context"
  4. "fmt"
  5. "sync"
  6. "time"
  7. )
  8. var wg sync.WaitGroup
  9. // 可以把 接收取消通知 这部分封装一下, 更容易理解
  10. func isCancel(ctx context.Context) bool {
  11. select {
  12. case <-ctx.Done(): // 接收取消通知
  13. return true
  14. default:
  15. return false
  16. }
  17. }
  18. func worker(ctx context.Context) {
  19. go worker2(ctx)
  20. for {
  21. fmt.Println("worker")
  22. time.Sleep(time.Second)
  23. if isCancel(ctx) {
  24. break
  25. }
  26. }
  27. wg.Done()
  28. }
  29. func worker2(ctx context.Context) {
  30. for {
  31. fmt.Println("worker2")
  32. time.Sleep(time.Second)
  33. if isCancel(ctx) {
  34. break
  35. }
  36. }
  37. }
  38. func main() {
  39. ctx, cancel := context.WithCancel(context.Background())
  40. wg.Add(1)
  41. go worker(ctx)
  42. time.Sleep(time.Second * 3)
  43. cancel() // 通知子goroutine结束
  44. wg.Wait()
  45. fmt.Println("over")
  46. }