Multithreading in Golang with Goroutine
A guide on how to handle multithreading in Golang using Goroutine, allowing efficient parallel processing and CPU optimization.
In this article, we will explore how to use Goroutine to implement multithreading in Golang. Goroutine enables us to perform multiple tasks concurrently in an efficient and straightforward manner.
Golang code
package main
import (
"fmt"
"time"
)
// Function to handle the task
func printNumbers() {
for i := 1; i <= 5; i++ {
fmt.Printf("Number: %d\n", i)
time.Sleep(500 * time.Millisecond)
}
}
func printLetters() {
for i := 'A'; i <= 'E'; i++ {
fmt.Printf("Letter: %c\n", i)
time.Sleep(500 * time.Millisecond)
}
}
func main() {
// Launching two Goroutines
go printNumbers()
go printLetters()
// Keep the program running while Goroutines execute
time.Sleep(3 * time.Second)
fmt.Println("Multithreading with Goroutine completed!")
}
Detailed explanation
-
Functions
printNumbers
andprintLetters
: These functions print numbers and letters, respectively. -
go printNumbers()
andgo printLetters()
: Launch two Goroutines to execute these functions concurrently. -
time.Sleep(3 * time.Second)
inmain()
: Keeps the program running for 3 seconds to allow the Goroutines to complete their tasks before the program exits.
System Requirements:
- Golang version 1.15 or later
How to install Golang:
- Visit the Golang website to download and install Golang.
Tips:
- Use Goroutines for asynchronous tasks or parallel processing to optimize performance.
- Employ tools like
sync.WaitGroup
to manage Goroutines when handling complex concurrent tasks.