Go中select语句的正确用法是什么?

时间:2017-12-15 05:55:21

标签: select go concurrency

大家好日子

我一直在学习go的基础知识以及如何使用基于通道的并发范例。

然而,在玩一些我专注于select语句的代码时,我发现了一个奇怪的行为:

func main() {
    even := make(chan int)
    odd := make(chan int)
    quit := make(chan bool)

    //send
    go send(even, odd, quit)

    //receive
    receive(even, odd, quit)
    fmt.Println("Exiting")
}

func send(e, o chan<- int, q chan<- bool) {
    for i := 0; i < 100; i++ {
        if i%2 == 0 {
            e <- i
        } else {
            o <- i
        }
    }
    close(e)
    close(o)
    q <- true
    close(q)
}

func receive(e, o <-chan int, q <-chan bool) {
    for cont, i := true, 0; cont; i++ {
        fmt.Println("value of i", i, cont)
        select {
        case v := <-e:
            fmt.Println("From even channel:", v)
        case v := <-o:
            fmt.Println("from odd channel:", v)
        case v := <-q:
            fmt.Println("Got exit message", v)
            // return // have also tried this instead
            cont = false
        }
    }
}

当我运行这个简单的程序时,有时i累加器最终会向控制台打印超过100个,而不是用“从奇数通道:99”完成,for循环继续输出一个或多个从偶数/奇数通道随机地归零,好像退出通道的消息在某种程度上延迟到它的情况,而奇数/偶数通道正在发送更多的整数,因此在奇数/偶数通道关闭后不完全退出for循环。

value of i 97 true
from odd channel: 97
value of i 98 true
From even channel: 98
value of i 99 true
from odd channel: 99
value of i 100 true
From even channel: 0
value of i 101 true
From even channel: 0
value of i 102 true
from odd channel: 0
value of i 103 true
From even channel: 0
value of i 104 true
Got exit message true
Exiting

我试图搜索case语句的正确用法,但是我找不到代码的问题。

似乎可以在go操场上复制相同的行为:my code

感谢您对我的问题的关注。

1 个答案:

答案 0 :(得分:1)

程序正在打印0,因为在封闭通道上接收返回零值。这是实现目标的一种方法。

首先,删除q频道。关闭oe频道足以表明发件人已完成。

func send(e, o chan<- int, q chan<- bool) {
    for i := 0; i < 100; i++ {
        if i%2 == 0 {
            e <- i
        } else {
            o <- i
        }
    }
    close(e)
    close(o)
}

接收值时,使用两个值receive来检测何时返回零值,因为通道已关闭。关闭通道时将通道设置为nil。在零通道上接收不会产生值。循环直到两个通道都为零。

func receive(e, o <-chan int, q <-chan bool) {

    for e != nil && o != nil {
        select {
        case v, ok := <-e:
            if !ok {
                e = nil
                continue
            }
            fmt.Println("From even channel:", v)
        case v, ok := <-o:
            if !ok {
                o = nil
                continue
            }
            fmt.Println("From odd channel:", v)
        }
    }
}

playground example