Go任务流水线核心是将任务抽象为可组合函数节点,通过channel、goroutine和context实现轻量编排;Node统一为func(context.Context, interface{}) (interface{}, error),Pipeline支持链式串联、分支与聚合,调度依赖原生并发工具而非重型框架。
用 Go 编写任务执行流水线,核心是把“任务”抽象为可组合、可调度的单元,再通过管道(channel)、goroutine 和状态管理实现节点编排与调度。它不依赖重型框架,靠语言原生并发能力就能构建轻量、可控、易测试的流水线系统。
每个节点本质是一个接受输入、处理、输出结果的函数。统一接口便于串联和替换:
type Node func(context.Context, interface{}) (interface{}, error)
例如一个校验节点:
var validateNode Node = func(ctx context.Context, in interface{}) (interface{}, error) {
data, ok := in.(map[string]interface{})
if !ok {
return nil, errors.New("invalid input type")
}
if data["id"] == nil {
return nil, errors.New("missing id")
}
return in, nil
}
用结构体封装执行流程,支持线性链式调用和简单条件分支:
type Pipeline struct {
nodes []Node
}
func (p *Pipeline) Then(n Node) *Pipeline {
p.nodes = append(p.nodes, n)
return p
}
func (p *Pipeline) Run(ctx context.Context, input interface{}) (interface{}, error) {
result := input
for _, node := range p.nodes {
var err error
result, err = node(ctx, result)
if err != nil {
return nil, err
}
}
return result, nil
}
真实场景需调度策略。不必引入复杂调度器,用组合方式即可实现常见需求:
别一上来就设计“通用工作流引擎”。先跑通最小闭环:
基本上就这些。Golang 流水线的魅力在于——它足够简单,所以你始终知道每一行代码在做什么。