Home Unidirectional Channels
Post
Cancel

Unidirectional Channels

In the unbuffered channels post final example countUp(counts chan int) will always send values to the channel while printOutput(counts chan int) will always receive values from the channel. We can make that explicit in the type of the channel. The countUp argument will be counts chan <- int to signal a channel that only receives values. and the printOut argument will be counts <- chan int to signal a channel that only produces value. Feel free to check the final implementation on Go Playground.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
func main() {
	countChannel := make(chan int)
	var wg sync.WaitGroup
	wg.Add(2)

	go func() {
		defer wg.Done()
		printOutput(countChannel)
	}()

	go func() {
		defer close(countChannel)
		defer wg.Done()
		countUp(countChannel)
	}()

	wg.Wait()
}

func countUp(counts chan<- int) {
	for i := 0; i < 10; i++ {
		time.Sleep(100 * time.Millisecond)
		counts <- i
	}
}

func printOutput(counts <-chan int) {
	for i := range counts {
		fmt.Printf("%d ", i)
	}
}
This post is licensed under CC BY 4.0 by the author.

Unbuffered Channels

Functor

Comments powered by Disqus.