Skip to content

What is the Gorutines in Golang

Goroutines are a fundamental feature of the Golang that enable concurrent execution of functions.

Gorutines are lightweight threads managed by the Go runtime. They are similar to threads in other programming languages, but they are more efficient and easier to work with.

Gorutines are created using the go keyword followed by a function call. For example:

go func() {
    fmt.Println("Hello, World!")
}()

In the above example, we create a new Gorutine that prints Hello, World! to the console. The Gorutine runs concurrently with the main program and does not block the execution

Key Features of Gorutines

Example

package main

import (
    "fmt"
    "time"
)

func main() {
    go func() {
        for i := 0; i < 5; i++ {
            fmt.Println("Gorutine:", i)
            time.Sleep(time.Second)
        }
    }()

    for i := 0; i < 5; i++ {
        fmt.Println("Main:", i)
        time.Sleep(time.Second)
    }
}

In the above example, we create two Gorutines: one that prints Gorutine: i and one that prints Main: i. Both Gorutines run concurrently, and their output is interleaved.

Example with Channels

Channels are used to communicate between goroutines and synchronize their execution.

package main

import (
	"fmt"
	"time"
)

func worker(done chan bool) {
	fmt.Println("Working...")
	time.Sleep(2 * time.Second)
	fmt.Println("Done")
	done <- true // Send a signal that the work is done
}

func main() {
	done := make(chan bool)
	go worker(done)

	// Block until the worker sends a value on the channel
	<-done
	fmt.Println("Worker finished")
}

Gorutines Best Practices

Gorutines vs. Threads

Gorutines are different from traditional threads in several ways:

  1. Lightweight: Gorutines are lightweight compared to threads. They have a smaller memory footprint and are more efficient to create and manage.
  2. Concurrency: Gorutines are designed for concurrent programming. They allow multiple Gorutines to run concurrently and communicate with each other using channels.
  3. Multiplexing: Gorutines are multiplexed onto a smaller number of OS threads by the Go runtime. This allows the Go runtime to efficiently manage thousands of Gorutines on a single machine.
  4. Scheduling: Gorutines are scheduled cooperatively by the Go runtime. This means that the Go runtime decides when to switch between Gorutines based on certain conditions, such as I/O operations or time.

Overall, Gorutines are a powerful feature of the Go programming language that makes it easy to write concurrent programs that are efficient and scalable.

Material