其他分享
首页 > 其他分享> > Context:goroutines编排(二)

Context:goroutines编排(二)

作者:互联网

1、介绍

项目地址:https://github.com/oklog/run
prometheus就是使用这种方式管理多goroutine编排

run.Group是一种管理goroutine组件生命周期的通用机制,它在任何需要将多个goroutines作为一个单元整体进行协调的情况下都很有用。

2、使用

创建一个零值的run.Group,然后向其添加actors。actor被定义为一对函数:一个执行函数,它应该同步运行;一个中断函数,当被调用时,它应该使执行函数返回。最后,调用Run,它同时运行所有的组件,等待直到第一个actor退出,调用中断函数,最后只有在所有组件都返回后才将控制权返回给调用者。这个通用的API允许调用者对几乎所有可运行的任务进行编排,并为组件实现定义良好的生命周期管理。

2.1 简单使用

import (
	"context"
	"fmt"
	"os"
	"os/signal"
	"syscall"

	"github.com/oklog/run"
)

func main() {
	// 编排开始
	var g run.Group
	ctxAll, cancelAll := context.WithCancel(context.Background())
	fmt.Println(ctxAll)
	{
		// 处理信号退出的channel
		term := make(chan os.Signal, 1)

		signal.Notify(term, os.Interrupt, syscall.SIGTERM)
		cancelC := make(chan struct{})
		g.Add(
			func() error {
				select {
				case <-term:
					fmt.Println("Receive SIGTERM, exiting gracefully...")
					cancelAll()
					return nil
				case <-cancelC:
					fmt.Println("other cancel exiting")
					return nil
				}
			},
			func(err error) {
				close(cancelC)
			},
		)
	}
	g.Run()

}

2.2 进阶使用

主协程退出触发cancelAll(),通知ctxAll的所有协程触发ctxAll.Done()退出

import (
	"context"
	"fmt"
	"os"
	"os/signal"
	"syscall"
	"time"

	"github.com/oklog/run"
)

func main() {
	// 编排开始
	var g run.Group
	ctxAll, cancelAll := context.WithCancel(context.Background())
	{
		// 处理信号退出的channel
		term := make(chan os.Signal, 1)

		signal.Notify(term, os.Interrupt, syscall.SIGTERM)
		cancelC := make(chan struct{})
		g.Add(
			func() error {
				select {
				case <-term:
					fmt.Println("Receive SIGTERM, exiting gracefully...")
					cancelAll()
					return nil
				case <-cancelC:
					fmt.Println("other cancel exiting")
					return nil
				}
			},
			func(err error) {
				close(cancelC)
			},
		)
	}
	{
		g.Add(func() error {
			for {
				ticker := time.NewTicker(3 * time.Second)
				select {
				case <-ctxAll.Done():
					fmt.Println("打工人01,接收到了cancelAll的退出指令")
					return nil
				case <-ticker.C:
					fmt.Println("我是打工人01")

				}
			}
		}, func(err error) {

		},
		)
	}
	g.Run()

}

3、源码分析

3.1 run.Group

3.2 Add

3.3 Run

概述:同时运行所有的actors函数,当第一个actor返回时,所有其他的actors都会被打断。只有当所有的actors都退出时,Run才会返回。运行返回第一个退出的actor所返回的错误

细节

标签:返回,run,函数,actor,编排,actors,Context,os,goroutines
来源: https://www.cnblogs.com/Otiger/p/16307889.html