Concurrency using Channels

Understand how to use channels to communicate between goroutines in Go.

Go's concurrency model relies heavily on goroutines and channels. Channels allow goroutines to communicate with each other and synchronize their execution.

Basic Channel Usage

Here's a simple example demonstrating how to create and use a channel to pass messages between goroutines:

package main

import (
	"fmt"
)

func main() {
	ch := make(chan string)

	go func() {
		ch <- "Processing data from goroutine"
	}()

	msg := <-ch
	fmt.Println(msg)
}

Buffered Channels

Use buffered channels to send data without blocking:

package main

import (
	"fmt"
)

func main() {
	ch := make(chan int, 2)

	ch <- 42
	ch <- 73

	fmt.Println(<-ch)
	fmt.Println(<-ch)
}

Closing a Channel

It's a common pattern to close a channel when no more values will be sent on it, to signal the receiver that the work is done:

package main

import (
	"fmt"
)

func main() {
	ch := make(chan int)

	go func() {
		for i := 0; i < 5; i++ {
			ch <- i
		}
		close(ch)
	}()

	for v := range ch {
		fmt.Println(v)
	}
}

Select Statement

The select statement allows a goroutine to wait on multiple communication operations:

package main

import (
	"fmt"
	"time"
)

func main() {
	ch1 := make(chan string)
	ch2 := make(chan string)

	go func() {
		time.Sleep(1 * time.Second)
		ch1 <- "Data from channel 1"
	}()

	go func() {
		time.Sleep(2 * time.Second)
		ch2 <- "Data from channel 2"
	}()

	select {
	case msg1 := <-ch1:
		fmt.Println(msg1)
	case msg2 := <-ch2:
		fmt.Println(msg2)
	}
}

Best Practices

  • Always close channels from the sender's side.
  • Use buffered channels only when performance benefits outweigh increased complexity.
  • Prefer using the select statement for cases where multiple channel operations may block.
  • Avoid using channels as mutexes; they are meant for communication, not locking.

Common Pitfalls

  • Leaving a channel open when it's no longer needed can lead to resource leaks or deadlocks.
  • Overusing buffered channels can result in unexpected memory consumption.
  • Forgetting to check for closed channels can lead to receiving zero values, causing logic errors.

Performance Tips

  • Use buffered channels to improve throughput in highly concurrent environments, but ensure buffer sizes are tuned.
  • Profile your application to understand how many goroutines are blocked on channel operations.
  • Minimize the number of goroutines in a sleep-wait loop waiting for data from channels to reduce CPU usage.
  • Manage goroutine lifetime and channel lifespan to avoid leaks in long-running applications.