Please purchase the course to watch this video.

Full Course
Go's simplicity shines in its approach to concurrency, making it easier to write concurrent code compared to other programming languages that often require complex frameworks or threading models. By utilizing Go routines, lightweight threads managed by the Go runtime, developers can run multiple functions in parallel, significantly enhancing application performance. Key to effective use of concurrency in Go is the sync.WaitGroup
, which allows the main function to wait for all Go routines to finish before exiting. Challenges such as race conditions—caused by shared state modification—are addressed through locks, such as the Mutex
, ensuring that only one Go routine accesses shared resources at a time. It's crucial to manage these locks properly to avoid deadlocks and maintain performance. As Go promotes minimizing shared state, channels provide an alternative for passing data between Go routines without the pitfalls of shared memory, paving the way for efficient concurrent programming.
No links available for this lesson.
One of Go's greatest strengths is its simplicity, especially when it comes to concurrency. In other languages, writing concurrent code often involves:
- Complex system threads
- Third-party frameworks
- Separate processes (e.g., Python)
Go offers lightweight concurrency using goroutines, managed by the Go runtime.
Sequential vs Concurrent Execution
Here’s some basic sequential code:
DoSomething()
DoSomething()
// each sleeps 5 seconds
Running this takes 10 seconds total.
Concurrent Execution with go
Keyword
To run functions concurrently:
go DoSomething()
go DoSomething()
Each call runs in a goroutine — a lightweight thread managed by Go’s runtime.
However, this code exits immediately. Why?
Because the main function finishes before the goroutines complete. Go doesn’t wait for them.
Synchronizing Goroutines with sync.WaitGroup
To wait for concurrent operations to finish, we use a WaitGroup from the sync
package.
Steps:
- Import
sync
- Create a wait group:
var wg sync.WaitGroup
- Add number of goroutines:
wg.Add(2)
- Inside each goroutine:
go func() {
defer wg.Done()
DoSomething()
}()
- After launching goroutines:
wg.Wait() // blocks until counter is 0
Full Example:
var wg sync.WaitGroup
wg.Add(2)
go func() {
defer wg.Done()
DoSomething()
}()
go func() {
defer wg.Done()
DoSomething()
}()
wg.Wait()
⏱️ Now it takes 5 seconds, not 10 — success!
Using Concurrency in Our Application
We can parallelize file processing:
for _, name := range filenames {
go func(name string) {
defer wg.Done()
process(name)
}(name)
}
We need to:
- Replace
continue
withreturn
inside anonymous functions. - Use
wg.Add(len(filenames))
- Use
wg.Wait()
at the end
Bug! Race Condition Detected 🐞
Sometimes we get:
- 💥 Panics
- 🌀 Jumbled output
This is a race condition.
Why?
We're mutating shared state concurrently:
tabwriter.Writer
→ used incount.Print()
totals
→ modified withAdd()
Solving Race Conditions with sync.Mutex
Go provides mutexes to prevent concurrent access to shared state.
Usage:
var mu sync.Mutex
mu.Lock()
defer mu.Unlock()
// critical section
Wrap mutations to totals
and writer
like so:
mu.Lock()
defer mu.Unlock()
totals.Add(count)
count.Print(writer)
This ensures only one goroutine at a time can mutate shared state.
⚠️ Deadlocks
If you forget to Unlock()
, your program may deadlock — freeze indefinitely.
Go detects this and will panic: all goroutines are asleep - deadlock!
Always use defer mu.Unlock()
.
Ordering and Non-Determinism
The output order changes every run — that’s normal with concurrency!
If you need deterministic order, don’t use goroutines or implement your own ordering mechanism.
Issues with Mutexes
-
Deadlocks
Easy to run into when multiple locks depend on each other:goroutine 1: holds L, waiting for M goroutine 2: holds M, waiting for L
-
Bottlenecks
Mutexes serialize parts of your program, reducing concurrency benefits. -
Complexity
Hard to reason about and debug.
Better Solution: Channels
Mutating shared state should generally be avoided.
Go’s channels offer a better way to share data across goroutines.
We’ll cover channels in the next lesson.
Wrap-Up
Let’s commit our code:
git add .
git commit -m "Added concurrency using goroutines, wait groups, and mutexes"
🎉 We’re now ready to explore channels and test how much faster our code is with concurrency!