Skip to content

Instantly share code, notes, and snippets.

@rahul-yr
Created June 11, 2022 12:36
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save rahul-yr/e6f48f59b2d05a98a21f19c2a5116ecf to your computer and use it in GitHub Desktop.
Save rahul-yr/e6f48f59b2d05a98a21f19c2a5116ecf to your computer and use it in GitHub Desktop.
Go Singleton pattern implementation
package main
import (
"log"
"sync"
"time"
)
// This is struct for mocking the connection.
type SQLConnection struct {
connectionUrl string
// add other details as needed
}
// This is a variable declaration in Go.
var sqlInstance *SQLConnection
func mockConnectionNonThreadSafe(threadId int) {
if sqlInstance == nil {
// This is a blocking call to mimic the time it takes
// to create a connection in real world
time.Sleep(time.Second)
// This is a variable assignment in Go.
sqlInstance = &SQLConnection{
connectionUrl: "some connection object",
}
log.Println("Created connection by thread id:", threadId)
}
}
func performConcurrentAction() {
// This is essentially needed for waiting for the program
// to finish its concurrent tasks before exiting the program in Go.
var wg sync.WaitGroup
// iterate over 10 times
// and call the mockConnectionNonThreadSafe function
// concurrently
for i := 0; i < 10; i++ {
// add 1 to the wait group
wg.Add(1)
go func(threadId int) {
// defer is used to ensure that the wait group is
// decremented after the goroutine completes
// this is done to ensure that the program doesn't
// exit before all the goroutines complete
defer wg.Done()
log.Println("thread id:", threadId)
mockConnectionNonThreadSafe(threadId)
}(i)
}
// wait for all the goroutines to complete
wg.Wait()
}
func performSequentialAction() {
// iterate over 10 times
// and call the mockConnectionNonThreadSafe function
for i := 0; i < 10; i++ {
mockConnectionNonThreadSafe(i)
}
}
// main is the entry point for the application.
func main() {
// below function call is for concurrent execution
// performConcurrentAction()
// below function call is used to execute the sequential action
performSequentialAction()
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment