小徐先生

godoc

一定要去看源码,不难

context#

  • context interface{}
  • cancelCtx struct{}
  • timerCtx struct{}
  • valueCtx struct{}

生成各个context:

本质上就是生成一个子context包裹住父context,实现一个复用的作用

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
func WithCancel(parent Context) (ctx Context, cancel CancelFunc) {
c := withCancel(parent)
return c, func() { c.cancel(true, Canceled, nil) }
}

func WithDeadline(parent Context, d time.Time) (Context, CancelFunc) {
return WithDeadlineCause(parent, d, nil)
}

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

func WithValue(parent Context, key, val any) Context {
if parent == nil {
panic("cannot create context from nil parent")
}
if key == nil {
panic("nil key")
}
if !reflectlite.TypeOf(key).Comparable() {
panic("key is not comparable")
}
return &valueCtx{parent, key, val}
}

Context 主要是用来管理应用程序的生命周期控制或者存储值,下面这段英文(摘自源码)很好的解释了context的作用,实现,结果

Incoming requests to a server should create a [Context], and outgoing calls to servers should accept a Context. The chain of function
calls between them must propagate the Context, optionally replacing it with a derived Context created using [WithCancel], [WithDeadline],
[WithTimeout], or [WithValue]. When a Context is canceled, all Contexts derived from it are also canceled.

context interface{}#

这个接口实现了一个规范,相当于所有的context都必须实现这个接口:

1
2
3
4
5
6
7
8
9
10
11
type Context interface{

Deadline() (deadline time.Time , ok bool)

Done() <-chan struct{}

Err() error

Value(key any) any

}
  1. Deadline() (deadline time.Time , ok bool)

    Deadline returns the time when work done on behalf of this context should be canceled. 就是到期时间

    Deadline returns ok==false when no deadline is set 返回false就是没有设置

  2. Done() <-chan struct{}

    这是一个只读的channel ,它本身阅读的是cancel这个事件本身,cancel了就读到了

    Done returns a channel that’s closed when work done on behalf of this context should be canceled.

    Done may return nil if this context can never be canceled 读到 nil 表示上下文无法被 cancel

  3. Err() error

    If Done is not yet closed, Err returns nil. 通道没有关闭时,没有错误

    If Done is closed, Err returns a non-nil error explaining why: 通道关闭了,用 Err() 来解释为什么关闭

    一般关闭就两个原因,源码中也定义了:

    1
    2
    3
    4
    5
    6
    // Canceled is the error returned by [Context.Err] when the context is canceled.
    var Canceled = errors.New("context canceled")

    // DeadlineExceeded is the error returned by [Context.Err] when the context's
    // deadline passes.
    var DeadlineExceeded error = deadlineExceededError{}
  4. Value(key any) any

    Value returns the value associated with this context for key 简单理解就是 map,但是不是真正意义上的map,这个后面再说

由这套规范,可以先实现一个最基本的实例 –> emptyCtx struct{}

1
2
3
4
5
type emptyCtx struct{}
func (emptyCtx) Deadline() (deadline time.Time, ok bool) {return}
func (emptyCtx) Done() <-chan struct{} {return nil}
func (emptyCtx) Err() error {return nil}
func (emptyCtx) Value(key any) any {return nil}

由 emptyCtx struct 可以引申出不同类型的 emptyCtx struct{} 其实本质差不多

  • type backgroundCtx struct{ emptyCtx }
  • type todoCtx struct{ emptyCtx }

两者的区别:

1
2
3
4
5
6
7
8
9
10
11
// Background returns a non-nil, empty [Context]. It is never canceled, has no
// values, and has no deadline. It is typically used by the main function,
// initialization, and tests, and as the top-level Context for incoming
// requests.
// 首先是空的,其次应该用在应用程序的开头,作为parent context

// TODO returns a non-nil, empty [Context]. Code should use context.TODO when
// it's unclear which Context to use or it is not yet available (because the
// surrounding function has not yet been extended to accept a Context
// parameter).
// 首先是空的,其次应该用在你不知道context是否可用或者不知道用什么的时候用

cancelCtx struct{}#

这是一个结构体,但是我们要把他想成一种数据结构

1
2
3
4
5
6
7
8
9
type cancelCtx struct {
Context

mu sync.Mutex // protects following fields
done atomic.Value // of chan struct{}, created lazily, closed by first cancel call
children map[canceler]struct{} // set to nil by the first cancel call
err error // set to non-nil by the first cancel call
cause error // set to non-nil by the first cancel call
}

这里的 context 是 cancelCtx 的父上下文 ;children 是 cancelCtx 的子上下文 , 其他的都一样

这样设计的好处就是,我一般函数间的上下文传递肯定是 父传子的,这样子设计就可以通过子查找到父的上下文

下面就是几个核心函数

将 cancel 传到 children 中

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
// propagateCancel arranges for child to be canceled when parent is.
// It sets the parent context of cancelCtx.
func (c *cancelCtx) propagateCancel(parent Context, child canceler) {
c.Context = parent
// 这是一些判断条件,判断 parent 的形式
done := parent.Done()
if done == nil {
return // parent is never canceled
}

select {
case <-done:
// parent is already canceled
child.cancel(false, parent.Err(), Cause(parent))
return
default:
}
// 如果 patent 是 cancel ,则传播cancel
if p, ok := parentCancelCtx(parent); ok {
// parent is a *cancelCtx, or derives from one.
p.mu.Lock()
if p.err != nil {
// parent has already been canceled
child.cancel(false, p.err, p.cause)
} else {
if p.children == nil {
p.children = make(map[canceler]struct{})
}
p.children[child] = struct{}{}
}
p.mu.Unlock()
return
}
// afterFuncer 这里本博客没讲,主要的作用就是当channel关闭后实现的函数
if a, ok := parent.(afterFuncer); ok {
// parent implements an AfterFunc method.
c.mu.Lock()
stop := a.AfterFunc(func() {
child.cancel(false, parent.Err(), Cause(parent))
})
c.Context = stopCtx{
Context: parent,
stop: stop,
}
c.mu.Unlock()
return
}

goroutines.Add(1)
go func() {
select {
case <-parent.Done():
child.cancel(false, parent.Err(), Cause(parent))
case <-child.Done():
}
}()
}

实现当前上下文的取消,同时把下面的子上下文也全取消

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
// cancel closes c.done, cancels each of c's children, and, if
// removeFromParent is true, removes c from its parent's children.
// cancel sets c.cause to cause if this is the first time c is canceled.
func (c *cancelCtx) cancel(removeFromParent bool, err, cause error) {
if err == nil {
panic("context: internal error: missing cancel error")
}
if cause == nil {
cause = err
}
c.mu.Lock()
if c.err != nil {
c.mu.Unlock()
return // already canceled
}
c.err = err
c.cause = cause
// 这里是实现一个懒加载
d, _ := c.done.Load().(chan struct{})
if d == nil {
c.done.Store(closedchan)
} else {
close(d)
}
// 上面都不用看,主要是下面这个逐一cancel
for child := range c.children {
// NOTE: acquiring the child's lock while holding parent's lock.
child.cancel(false, err, cause)
}
c.children = nil
c.mu.Unlock()

if removeFromParent {
removeChild(c.Context, c)
}
}

判断父上下文是不是 cancelCtx 类型

有可能父上下文不可被 cancel , 或者已经 cancel ; 如果已经 cancel 则将cancel 传递下去

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
// parentCancelCtx returns the underlying *cancelCtx for parent.
// It does this by looking up parent.Value(&cancelCtxKey) to find
// the innermost enclosing *cancelCtx and then checking whether
// parent.Done() matches that *cancelCtx. (If not, the *cancelCtx
// has been wrapped in a custom implementation providing a
// different done channel, in which case we should not bypass it.)
func parentCancelCtx(parent Context) (*cancelCtx, bool) {
done := parent.Done()
// 是不是已经关闭或者不可cancel
if done == closedchan || done == nil {
return nil, false
}
// 判断是不是 cancelCtx
p, ok := parent.Value(&cancelCtxKey).(*cancelCtx)
if !ok {
return nil, false
}
// 懒加载
pdone, _ := p.done.Load().(chan struct{})
if pdone != done {
return nil, false
}
return p, true
}

移出某个子cancel上下文

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
// removeChild removes a context from its parent.
func removeChild(parent Context, child canceler) {
if s, ok := parent.(stopCtx); ok {
s.stop()
return
}
p, ok := parentCancelCtx(parent)
if !ok {
return
}
p.mu.Lock()
if p.children != nil {
delete(p.children, child)
}
p.mu.Unlock()
}

关于 canceler 这个结构体 可以理解为他就是接口的精髓,可以直接将自己想要的重点形成一个接口来实现,抛去不需要的东西

1
2
3
4
5
6
// A canceler is a context type that can be canceled directly. The
// implementations are *cancelCtx and *timerCtx.
type canceler interface {
cancel(removeFromParent bool, err, cause error)
Done() <-chan struct{}
}

timerCtx struct{}#

1
2
3
4
5
6
7
8
9
// A timerCtx carries a timer and a deadline. It embeds a cancelCtx to
// implement Done and Err. It implements cancel by stopping its timer then
// delegating to cancelCtx.cancel.
type timerCtx struct {
cancelCtx
timer *time.Timer // Under cancelCtx.mu.

deadline time.Time
}

timerCtx 是在 cancelCtx 基础上又丰富了一些功能

他的接口和之前讲的 cancel 很像,但是里面的内容是覆盖的,不过基础实现逻辑是一样的,就是会加上一个 timer 的实现

重要的地方我给了注释,直接看吧

1
2
3
4
5
6
7
8
9
10
11
12
13
14
func (c *timerCtx) cancel(removeFromParent bool, err, cause error) {
c.cancelCtx.cancel(false, err, cause)
if removeFromParent {
// Remove this timerCtx from its parent cancelCtx's children.
removeChild(c.cancelCtx.Context, c)
}
c.mu.Lock()
// Stop prevents the Timer from firing.
if c.timer != nil {
c.timer.Stop()
c.timer = nil
}
c.mu.Unlock()
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
func WithDeadlineCause(parent Context, d time.Time, cause error) (Context, CancelFunc) {
if parent == nil {
panic("cannot create context from nil parent")
}
// 判断时间条件
if cur, ok := parent.Deadline(); ok && cur.Before(d) {
// The current deadline is already sooner than the new one.
return WithCancel(parent)
}
c := &timerCtx{
deadline: d,
}
// 传播
c.cancelCtx.propagateCancel(parent, c)
dur := time.Until(d)
// 如果时间到了就cancel
if dur <= 0 {
c.cancel(true, DeadlineExceeded, cause) // deadline has already passed
return c, func() { c.cancel(false, Canceled, nil) }
}
c.mu.Lock()
defer c.mu.Unlock()
if c.err == nil {
c.timer = time.AfterFunc(dur, func() {
c.cancel(true, DeadlineExceeded, cause)
})
}
return c, func() { c.cancel(true, Canceled, nil) }
}

valueCtx struct{}#

1
2
3
4
type valueCtx struct {
Context
key, val any
}

可以看出他类似于 map ,但不同于 map,map可以实现一个map存放多个值的效果

但是这个context他实现的是一个context存放一对值,这就会导致我每次存一对值,就需要创建一个context,因此性能损耗会比较大

同时这个值的查找逻辑也就出来了:

得益于之前的数据结构,我们可以从子上下文开始查找,如果查找不到就去查找父上下文,因此他的时间复杂度也不是o(n)

下面就是代码实现:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
func value(c Context, key any) any {
for {
switch ctx := c.(type) {
case *valueCtx:
if key == ctx.key {
return ctx.val
}
c = ctx.Context
case *cancelCtx:
if key == &cancelCtxKey {
return c
}
c = ctx.Context
case withoutCancelCtx:
if key == &cancelCtxKey {
// This implements Cause(ctx) == nil
// when ctx is created using WithoutCancel.
return nil
}
c = ctx.c
case *timerCtx:
if key == &cancelCtxKey {
return &ctx.cancelCtx
}
c = ctx.Context
case backgroundCtx, todoCtx:
return nil
default:
return c.Value(key)
}
}
}

总结#

多看源码,效果挺大的

多看英文,效果挺大的