我有两个独立生成数据的 goroutine,每个都将数据发送到一个通道。在我的主 goroutine 中,我想在这些输出进入时使用它们中的每一个,但不关心它们进入的顺序。每个通道在耗尽其输出时会自行关闭。虽然 select 语句是像这样独立使用输入的最佳语法,但我还没有看到一种简洁的方法来循环每个通道,直到两个通道都关闭。
for {
select {
case p, ok := <-mins:
if ok {
fmt.Println("Min:", p) //consume output
}
case p, ok := <-maxs:
if ok {
fmt.Println("Max:", p) //consume output
}
//default: //can't guarantee this won't happen while channels are open
// break //ideally I would leave the infinite loop
//only when both channels are done
}
}
我能想到的最好的方法是以下(只是草图,可能有编译错误):
for {
minDone, maxDone := false, false
select {
case p, ok := <-mins:
if ok {
fmt.Println("Min:", p) //consume output
} else {
minDone = true
}
case p, ok := <-maxs:
if ok {
fmt.Println("Max:", p) //consume output
} else {
maxDone = true
}
}
if (minDone && maxDone) {break}
}
但是,如果您使用两个或三个以上的频道,这看起来会变得站不住脚。我知道的唯一另一种方法是在 switch 语句中使用 timout case,它要么小到足以冒提前退出的风险,要么在最终循环中注入过多的停机时间。有没有更好的方法来测试 select 语句中的通道?