Go允许使用go语句开启一个新的运行期线程,即 goroutine,以一个不同的、新创建的goroutine来执行一个函数。同一个程序中的所有goroutine共享同一个地址空间。
Goroutine非常轻量,除了为之分配的栈空间,其所占用的内存空间微乎其微。并且其栈空间在开始时非常小,之后随着堆存储空间的按需分配或释放而变化。内部实现上,goroutine会在多个操作系统线程上多路复用。如果一个goroutine阻塞了一个操作系统线程,例如:等待输入,这个线程上的其他goroutine就会迁移到其他线程,这样能继续运行。开发者并不需要关心/担心这些细节。
下面所示程序会输出“Hello from main goroutine”
。也可能会输出“Hello from another goroutine”
,具体依赖于两个goroutine哪个先结束。
func main() {
go fmt.Println("Hello from another goroutine")
fmt.Println("Hello from main goroutine")
// 至此,程序运行结束,
// 所有活跃的goroutine被杀死
}
goroutine1.go
接下来的这个程序,多数情况下,会输出“Hello from main goroutine”
和“Hello from another goroutine”
,输出的顺序不确定。但还有另一个可能性是:第二个goroutine运行得极其慢,在程序结束之前都没来得及输出相应的消息。
func main() {
go fmt.Println("Hello from another goroutine")
fmt.Println("Hello from main goroutine")
time.Sleep(time.Second) // 等待1秒,等另一个goroutine结束
}
//goroutine2.go
下面则是一个相对更加实际的示例,其中定义了一个函数使用并发来推迟触发一个事件。
// 函数Publish在给定时间过期后打印text字符串到标准输出
// 该函数并不会阻塞而是立即返回
func Publish(text string, delay time.Duration) {
go func() {
time.Sleep(delay)
fmt.Println("BREAKING NEWS:", text)
}() // 注意这里的括号。必须调用匿名函数
}
//publish1.go
你可能会这样使用Publish函数:
func main() {
Publish("A goroutine starts a new thread of execution.", 5*time.Second)
fmt.Println("Let’s hope the news will published before I leave.")
// 等待发布新闻
time.Sleep(10 * time.Second)
fmt.Println("Ten seconds later: I’m leaving now.")
}
//publish1.go
这个程序,绝大多数情况下,会输出以下三行,顺序固定,每行输出之间相隔5秒。
$ go run publish1.go
Let’s hope the news will published before I leave.
BREAKING NEWS: A goroutine starts a new thread of execution.
Ten seconds later: I’m leaving now.
一般来说,通过睡眠的方式来编排线程之间相互等待是不太可能的。下一章节会介绍Go语言中的一种同步机制 - 管道,并演示如何使用管道让一个goroutine等待另一个goroutine。
管道是Go语言的一个构件,提供一种机制用于两个goroutine之间通过传递一个指定类型的值来同步运行和通讯。操作符<-用于指定管道的方向,发送或接收。如果未指定方向,则为双向管道。
chan Sushi // 可用来发送和接收Sushi类型的值
chan<- float64 // 仅可用来发送float64类型的值
<-chan int // 仅可用来接收int类型的值
管道是引用类型,基于make函数来分配。
ic := make(chan int) // 不带缓冲的int类型管道wc := make(chan *Work, 10) // 带缓冲的Work类型指针管道
如果通过管道发送一个值,则将<-作为二元操作符使用。通过管道接收一个值,则将其作为一元操作符使用: