首页 > 其他分享 >go语言context教程

go语言context教程

时间:2023-02-07 17:33:07浏览次数:45  
标签:教程 func context parent ctx Context time go

预览目录

对于 golang 开发者来说context(上下文)包一定不会陌生.但很多时候,我们懒惰的只是见过它,或能起到什么作用,并不会去深究它.

应用场景:在 Go http 包的 Server 中,每一个请求在都有一个对应的goroutine去处理.请求处理函数通常会启动额外的goroutine用来访问后端服务,比如数据库和 RPC 服务.用来处理一个请求的goroutine通常需要访问一些与请求特定的数据,比如终端用户的身份认证信息,验证相关的 token,请求的截止时间.当一个请求被取消或超时时,所有用来处理该请求的goroutine都应该迅速退出,然后系统才能释放这些goroutine占用的资源,官方博客.

注意:go1.6及之前版本请使用golang.org/x/net/context.go1.7及之后已移到标准库context.

Context 原理

Context 的调用应该是链式的,通过WithCancel,WithDeadline,WithTimeoutWithValue派生出新的 Context.当父 Context 被取消时,其派生的所有 Context 都将取消.

通过context.WithXXX都将返回新的 Context 和 CancelFunc.调用 CancelFunc 将取消子代,移除父代对子代的引用,并且停止所有定时器.未能调用 CancelFunc 将泄漏子代,直到父代被取消或定时器触发.go vet工具检查所有流程控制路径上使用 CancelFuncs.

遵循规则

遵循以下规则,以保持包之间的接口一致,并启用静态分析工具以检查上下文传播.

  1. 不要将 Contexts 放入结构体,相反context应该作为第一个参数传入,命名为ctxfunc DoSomething(ctx context.Context,arg Arg)error { // ... use ctx ... }
  2. 即使函数允许,也不要传入nil的 Context.如果不知道用哪种 Context,可以使用context.TODO().
  3. 使用context的Value相关方法只应该用于在程序和接口中传递的和请求相关的元数据,不要用它来传递一些可选的参数
  4. 相同的 Context 可以传递给在不同的goroutine;Context 是并发安全的.

Context 包

Context 结构体.

// A Context carries a deadline, cancelation signal, and request-scoped values
// across API boundaries. Its methods are safe for simultaneous use by multiple
// goroutines.
type Context interface {
    // Done returns a channel that is closed when this Context is canceled
    // or times out.
    Done() <-chan struct{}

    // Err indicates why this context was canceled, after the Done channel
    // is closed.
    Err() error

    // Deadline returns the time when this Context will be canceled, if any.
    Deadline() (deadline time.Time, ok bool)

    // Value returns the value associated with key or nil if none.
    Value(key interface{}) interface{}
}
  • Done(),返回一个channel.当times out或者调用cancel方法时,将会close掉.
  • Err(),返回一个错误.该context为什么被取消掉.
  • Deadline(),返回截止时间和ok.
  • Value(),返回值.

所有方法

func Background() Context
func TODO() Context

func WithCancel(parent Context) (ctx Context, cancel CancelFunc)
func WithDeadline(parent Context, deadline time.Time) (Context, CancelFunc)
func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc)
func WithValue(parent Context, key, val interface{}) Context

上面可以看到Context是一个接口,想要使用就得实现其方法.在context包内部已经为我们实现好了两个空的Context,可以通过调用Background()和TODO()方法获取.一般的将它们作为Context的根,往下派生.

WithCancel 例子

WithCancel 以一个新的 Done channel 返回一个父 Context 的拷贝.

     func WithCancel(parent Context) (ctx Context, cancel CancelFunc) {
         c := newCancelCtx(parent)
         propagateCancel(parent, &c)
         return &c, func() { c.cancel(true, Canceled) }
     }
     
     // newCancelCtx returns an initialized cancelCtx.
     func newCancelCtx(parent Context) cancelCtx {
         return cancelCtx{
             Context: parent,
             done:    make(chan struct{}),
         }
     }

此示例演示使用一个可取消的上下文,以防止 goroutine 泄漏.示例函数结束时,defer 调用 cancel 方法,gen goroutine 将返回而不泄漏.

package main

import (
    "context"
    "fmt"
)

func main() {
    // gen generates integers in a separate goroutine and
    // sends them to the returned channel.
    // The callers of gen need to cancel the context once
    // they are done consuming generated integers not to leak
    // the internal goroutine started by gen.
    gen := func(ctx context.Context) <-chan int {
        dst := make(chan int)
        n := 1
        go func() {
            for {
                select {
                case <-ctx.Done():
                    return // returning not to leak the goroutine
                case dst <- n:
                    n++
                }
            }
        }()
        return dst
    }

    ctx, cancel := context.WithCancel(context.Background())
    defer cancel() // cancel when we are finished consuming integers

    for n := range gen(ctx) {
        fmt.Println(n)
        if n == 5 {
            break
        }
    }
}

WithDeadline 例子

     func WithDeadline(parent Context, deadline time.Time) (Context, CancelFunc) {
         if cur, ok := parent.Deadline(); ok && cur.Before(deadline) {
             // The current deadline is already sooner than the new one.
             return WithCancel(parent)
         }
         c := &timerCtx{
             cancelCtx: newCancelCtx(parent),
             deadline:  deadline,
         }
   ......

可以清晰的看到,当派生出的子 Context 的deadline在父Context之后,直接返回了一个父Context的拷贝.故语义上等效为父.

WithDeadline 的最后期限调整为不晚于 d 返回父上下文的副本.如果父母的截止日期已经早于 d,WithDeadline (父,d) 是在语义上等效为父.返回的上下文完成的通道关闭的最后期限期满后,返回的取消函数调用时,或当父上下文完成的通道关闭,以先发生者为准.

看看官方例子:

package main

import (
    "context"
    "fmt"
    "time"
)

func main() {
    d := time.Now().Add(50 * time.Millisecond)
    ctx, cancel := context.WithDeadline(context.Background(), d)

    // Even though ctx will be expired, it is good practice to call its
    // cancelation function in any case. Failure to do so may keep the
    // context and its parent alive longer than necessary.
    defer cancel()

    select {
    case <-time.After(1 * time.Second):
        fmt.Println("overslept")
    case <-ctx.Done():
        fmt.Println(ctx.Err())
    }
}

WithTimeout 例子

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

     func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc) {
         return WithDeadline(parent, time.Now().Add(timeout))
     }

看看官方例子:

package main

import (
    "context"
    "fmt"
    "time"
)

func main() {
    // Pass a context with a timeout to tell a blocking function that it
    // should abandon its work after the timeout elapses.
    ctx, cancel := context.WithTimeout(context.Background(), 50*time.Millisecond)
    defer cancel()

    select {
    case <-time.After(1 * time.Second):
        fmt.Println("overslept")
    case <-ctx.Done():
        fmt.Println(ctx.Err()) // prints "context deadline exceeded"
    }
}

WithValue 例子

     func WithValue(parent Context, key, val interface{}) Context {
         if key == nil {
             panic("nil key")
         }
         if !reflect.TypeOf(key).Comparable() {
             panic("key is not comparable")
         }
         return &valueCtx{parent, key, val}
     }

WithValue 返回的父与键关联的值在 val 的副本.

使用上下文值仅为过渡进程和 Api 的请求范围的数据,而不是将可选参数传递给函数.

提供的键必须是可比性和应该不是字符串类型或任何其他内置的类型以避免包使用的上下文之间的碰撞.WithValue 用户应该定义自己的键的类型.为了避免分配分配给接口 {} 时,上下文键经常有具体类型结构 {}.另外,导出的上下文关键变量静态类型应该是一个指针或接口.

看看官方例子:

package main

import (
    "context"
    "fmt"
)

func main() {
    type favContextKey string

    f := func(ctx context.Context, k favContextKey) {
        if v := ctx.Value(k); v != nil {
            fmt.Println("found value:", v)
            return
        }
        fmt.Println("key not found:", k)
    }

    k := favContextKey("language")
    ctx := context.WithValue(context.Background(), k, "Go")

    f(ctx, k)
    f(ctx, favContextKey("color"))
}

参考连接

[3] https://mojotv.cn/2018/12/16/what-is-context-in-go.html

标签:教程,func,context,parent,ctx,Context,time,go
From: https://www.cnblogs.com/cheyunhua/p/17099238.html

相关文章

  • GStreamer基础教程13 - 调试Pipeline
    摘要在很多情况下,我们需要对GStreamer创建的Pipeline进行调试,来了解其运行机制以解决所遇到的问题。为此,GStreamer提供了相应的调试机制,方便我们快速定位问题。 查......
  • GStreamer基础教程01 - Hello World
    摘要在面对一个新的软件库时,第一步通常实现一个“helloworld”程序,来了解库的用法。对于GStreamer,我们可以实现一个极简的播放器,来了解GStreamer的使用。 环境配置为......
  • GStreamer基础教程02 - 基本概念
    摘要在 Gstreamer基础教程01-HelloWorld中,我们介绍了如何快速的通过一个字符串创建一个简单的pipeline。为了能够更好的控制pipline中的element,我们需要单独创建eleme......
  • GStreamer基础教程03 - 媒体类型与Pad
    摘要在上一篇文章中,我们介绍了如何将多个element连接起来构造一个pipline,进行数据传输。那么GStreamer是通过何种方式保证element之间能正常的进行数据传输?今天就将介......
  • CICS教程_编程入门自学教程_菜鸟教程-免费教程分享
    教程简介CICS快速指南-从CICS概述,环境,基本术语,Nucleus,事务,COBOL基础知识,BMS,MAP,接口块,伪编程,辅助密钥,文件处理,错误处理,控制操作,简单而简单的步骤学习CICS临时存储,互通,状......
  • Redux 教程3 应用的结构
    应用的结构这一篇实际上和快速上手的内容差不多,程序范例里其实就是多了一个thunk,另外介绍了reduxdevTools应该怎么使用。在计算机编程中,thunk是一个用于向另一个子......
  • 传奇单机架设教程及游戏GM设置方法
    架设前关杀毒确保自己的热血传奇客户端是13周年以后的最好用最新的.不要使用已经淘汰的10周年客户端和微端客户端否则会出现显示不全情况.注意HERO引擎版本在登录器方面不支......
  • CICS教程_编程入门自学教程_菜鸟教程-免费教程分享
    教程简介CICS快速指南-从CICS概述,环境,基本术语,Nucleus,事务,COBOL基础知识,BMS,MAP,接口块,伪编程,辅助密钥,文件处理,错误处理,控制操作,简单而简单的步骤学习CICS临时存储,互通,状态......
  • Jenkins 完全系列视频教程制作组招募
    责编:YanjunShiJenkins依托活跃的社区,广大的社区贡献者提供了非常丰富的插件,使得对很多人而言是一款容易上手、资料齐全、易于扩展的开源产品。哔哩哔哩、各种博客网站上,有......
  • 开心档-软件开发入门之MongoDB 覆盖索引查询
     作者简介:每天分享​​MongoDB教程​的学习经验、和学习笔记。  座右铭:有自制力,做事有始有终;学习能力强,愿意不断地接触学习新知识。个人主页:​​雪奈椰子的主页​​ 前......