Goroutines vs Worker Pool Understanding Concurrency Model in Go

Banggi Bima Edriantino

March 3, 2025

6 min read

Tidak tersedia dalam Bahasa Indonesia.

Introduction#

Go is well-known for its concurrency model, which is built around goroutines and channels. While goroutines make it easy to run functions concurrently, managing them efficiently requires strategies like worker pools to prevent excessive resource usage.

This article explores the differences between goroutines and worker pools, when to use each, and how to implement them effectively.

1. What Are Goroutines?#

A goroutine is a lightweight thread managed by the Go runtime. Unlike system threads, goroutines are highly efficient, allowing thousands to run concurrently without excessive memory overhead.

Example: Running a Goroutine#
package main

import (
	"fmt"
	"time"
)

func sayHello() {
	fmt.Println("Hello from goroutine!")
}

func main() {
	go sayHello() // Runs concurrently
	time.Sleep(time.Second) // Wait to allow goroutine to execute
}

Key Characteristics of Goroutines:

  • Lightweight and managed by the Go runtime.
  • Do not require explicit thread creation.
  • Can run thousands of goroutines efficiently.

2. The Problem with Uncontrolled Goroutines#

Although goroutines are lightweight, spawning too many can cause resource exhaustion. Since each goroutine consumes memory and CPU cycles, uncontrolled usage can degrade performance.

Example: Spawning Too Many Goroutines#
package main

import (
	"fmt"
	"time"
)

func task(id int) {
	fmt.Printf("Task %d started\n", id)
	time.Sleep(time.Second)
	fmt.Printf("Task %d completed\n", id)
}

func main() {
	for i := 0; i < 1000000; i++ { // Creates 1 million goroutines
		go task(i)
	}
	time.Sleep(time.Second * 2) // Give goroutines time to finish
}

Potential Issues:

  • Excessive memory usage due to high goroutine count.
  • CPU overload, leading to slowdowns.
  • Unpredictable scheduling and execution delays.

3. Introducing Worker Pools#

A worker pool is a pattern that limits the number of concurrent goroutines by assigning tasks to a fixed number of workers. This helps in efficiently managing resources while maintaining concurrency.

Key Benefits of Worker Pools:

  • Controls the number of active goroutines.
  • Prevents memory exhaustion and CPU spikes.
  • Ensures better performance under heavy load.
Example: Implementing a Worker Pool#
package main

import (
	"fmt"
	"time"
)

func worker(id int, jobs <-chan int, results chan<- int) {
	for job := range jobs {
		fmt.Printf("Worker %d processing job %d\n", id, job)
		time.Sleep(time.Second) // Simulate work
		results <- job * 2
	}
}

func main() {
	const numWorkers = 3
	const numJobs = 5

	jobs := make(chan int, numJobs)
	results := make(chan int, numJobs)

	// Start workers
	for i := 1; i <= numWorkers; i++ {
		go worker(i, jobs, results)
	}

	// Send jobs
	for j := 1; j <= numJobs; j++ {
		jobs <- j
	}
	close(jobs) // Close jobs channel to indicate no more jobs

	// Collect results
	for k := 1; k <= numJobs; k++ {
		fmt.Println("Result:", <-results)
	}
}

How This Works:

  1. We create a fixed number of worker goroutines.
  2. Each worker picks up jobs from the jobs channel.
  3. Workers process the jobs and send results back through the results channel.
  4. Once all jobs are completed, the main function collects the results.

4. Goroutines vs Worker Pool: When to Use Each#

ScenarioUse Goroutines?Use Worker Pool?
Small number of short-lived tasksYesNo
Large number of concurrent tasksNoYes
CPU-bound operationsNoYes
Network or I/O operationsYesYes
Resource-intensive background jobsNoYes

5. Best Practices for Concurrency in Go#

  • Use worker pools for large workloads to prevent excessive goroutine creation.
  • Use buffered channels to limit task queue size and prevent blocking.
  • Close channels properly to avoid deadlocks.
  • Use sync.WaitGroup to wait for goroutines to complete instead of time.Sleep().
  • Monitor memory usage using tools like pprof to detect excessive goroutines.

Conclusion#

Goroutines are a powerful feature in Go, enabling efficient concurrency with minimal overhead. However, uncontrolled goroutines can lead to performance issues. Using a worker pool helps manage concurrency efficiently, making it ideal for large-scale applications that process numerous tasks.

By understanding when to use goroutines and worker pools, Go developers can optimize performance and ensure smooth execution of concurrent programs.