14 April, 2015

Understanding Go's Concurrency Model: Goroutines and Channels

Introduction

In today's computing landscape, concurrency has become an essential aspect of programming. With the prevalence of multi-core processors, harnessing their full potential requires writing code that can execute multiple tasks simultaneously. However, traditional concurrency models that rely on threads and locks are notoriously difficult to work with, often leading to race conditions, deadlocks, and other complex issues that can be challenging to debug.

Go, also known as Golang, takes a different approach to concurrency with its implementation of CSP (Communicating Sequential Processes), a model originally described by Tony Hoare in 1978. Go's concurrency primitives—goroutines and channels—provide an elegant and intuitive way to write concurrent code that is both readable and maintainable.

After working with Go for over a year now, I've found that its concurrency model is one of its most powerful features, and in this article, I'll share my understanding of how goroutines and channels work, along with practical patterns for solving common concurrency problems.

Goroutines: Lightweight Threads

Goroutines are the foundation of Go's concurrency model. A goroutine is a function that executes concurrently with other goroutines in the same address space. Unlike OS threads, goroutines are extremely lightweight:

  • They start with a small stack (2KB as of Go 1.4) that can grow and shrink as needed
  • They have a low CPU overhead for creation and destruction
  • The Go runtime multiplexes goroutines onto OS threads, allowing thousands or even millions of goroutines to run on just a few threads

Creating a goroutine is as simple as adding the go keyword before a function call:

func sayHello(name string) { fmt.Println("Hello,", name) }

func main() { go sayHello("world") // This runs concurrently

// Need to wait or the program would exit immediately
time.Sleep(100 * time.Millisecond)

}

This ability to spawn lightweight concurrent functions easily is a game-changer for many applications, especially those involving I/O operations or serving multiple clients simultaneously.

Channels: Communication and Synchronization

While goroutines provide concurrency, channels provide the means for goroutines to communicate and synchronize. A channel is a typed conduit through which you can send and receive values. The key insight of Go's concurrency model is summed up in the slogan:

"Do not communicate by sharing memory; instead, share memory by communicating."

This approach significantly reduces the complexity of concurrent programming by minimizing shared state and promoting explicit communication.

Creating and using channels is straightforward:

// Create an unbuffered channel of integers ch := make(chan int)

// Send a value into the channel (blocks until someone receives) go func() { ch <- 42 }()

// Receive a value from the channel value := <-ch fmt.Println(value) // Prints: 42

Channels come in two flavors:

  1. Unbuffered channels (as shown above): Send operations block until another goroutine is ready to receive, and receive operations block until another goroutine is ready to send.

  2. Buffered channels: Have a capacity, and send operations block only when the buffer is full, while receive operations block only when the buffer is empty.

// Create a buffered channel with capacity 3 bufCh := make(chan string, 3)

// Send operations don't block until buffer is full bufCh <- "first" bufCh <- "second" bufCh <- "third"

// This would block until space is available // bufCh <- "fourth"

Solving Concurrency Problems with Goroutines and Channels

Let's explore some common concurrency patterns in Go:

Pattern 1: Worker Pools

A worker pool consists of a collection of worker goroutines that process tasks from a shared input channel:

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 // Send result } }

func main() { numJobs := 10 jobs := make(chan int, numJobs) results := make(chan int, numJobs)

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

// Send jobs
for j := 1; j <= numJobs; j++ {
    jobs <- j
}
close(jobs) // No more jobs

// Collect results
for i := 1; i <= numJobs; i++ {
    <-results
}

}

This pattern is particularly useful for CPU-bound tasks, as it allows you to limit the number of concurrent operations to match the number of available CPU cores.

Pattern 2: Fan-out, Fan-in

This pattern involves "fanning out" work to multiple goroutines and then "fanning in" the results:

// Generator function that creates a channel and sends values into it func generator(nums ...int) <-chan int { out := make(chan int) go func() { for _, n := range nums { out <- n } close(out) }() return out }

// Square function that reads from one channel and writes to another func square(in <-chan int) <-chan int { out := make(chan int) go func() { for n := range in { out <- n * n } close(out) }() return out }

// Merge function that combines multiple input channels into one output channel func merge(cs ...<-chan int) <-chan int { var wg sync.WaitGroup out := make(chan int)

// Start an output goroutine for each input channel
output := func(c <-chan int) {
    for n := range c {
        out <- n
    }
    wg.Done()
}

wg.Add(len(cs))
for _, c := range cs {
    go output(c)
}

// Start a goroutine to close 'out' once all output goroutines are done
go func() {
    wg.Wait()
    close(out)
}()

return out

}

func main() { in := generator(1, 2, 3, 4, 5)

// Fan out to two square operations
c1 := square(in)
c2 := square(in)

// Fan in the results
for n := range merge(c1, c2) {
    fmt.Println(n)
}

}

This pattern is ideal for I/O-bound operations that can be processed independently, such as making multiple API calls or reading from different files.

Pattern 3: Timeouts

Go makes it easy to implement timeouts using the select statement and channels:

func doWork(ch chan string) { go func() { // Simulate work that takes time time.Sleep(2 * time.Second) ch <- "work done" }() }

func main() { ch := make(chan string) doWork(ch)

select {
case result := <-ch:
    fmt.Println(result)
case <-time.After(1 * time.Second):
    fmt.Println("Timeout: operation took too long")
}

}

In this example, we wait for a result from doWork, but we're only willing to wait for 1 second. If the result doesn't arrive in time, we timeout.

Pattern 4: Context for Cancellation

Go's context package provides a standardized way to carry deadlines, cancellation signals, and other request-scoped values across API boundaries and between processes:

func doWorkWithContext(ctx context.Context) <-chan int { resultCh := make(chan int)

go func() {
    defer close(resultCh)
    
    // Simulate a long operation
    for i := 0; i < 10; i++ {
        select {
        case <-ctx.Done():
            fmt.Println("Work canceled")
            return
        case <-time.After(200 * time.Millisecond):
            fmt.Printf("Step %d completed\n", i+1)
        }
    }
    
    resultCh <- 42 // Send the result
}()

return resultCh

}

func main() { // Create a context with a timeout ctx, cancel := context.WithTimeout(context.Background(), 1*time.Second) defer cancel() // Always call cancel to release resources

resultCh := doWorkWithContext(ctx)

select {
case result := <-resultCh:
    fmt.Printf("Work completed with result: %d\n", result)
case <-ctx.Done():
    fmt.Printf("Work canceled: %v\n", ctx.Err())
}

}

This pattern is essential for handling cancelation in larger systems, especially in HTTP servers where a client might disconnect before the operation completes.

Pitfalls and Best Practices

While Go's concurrency model simplifies many aspects of concurrent programming, there are still some pitfalls to avoid:

1. Goroutine Leaks

Goroutines consume resources, and if they don't terminate properly, they can cause memory leaks. Always ensure that goroutines can exit gracefully:

// Bad example - potential goroutine leak func processRequest(req Request) { go func() { result := process(req) // What if no one is receiving from this channel? resultsCh <- result }() }

// Better approach func processRequest(ctx context.Context, req Request) { go func() { result := process(req) select { case resultsCh <- result: // Successfully sent the result case <-ctx.Done(): // Request was canceled, discard the result } }() }

2. Race Conditions

Even with channels, it's possible to introduce race conditions when multiple goroutines access shared state:

// This has a race condition var counter int

func incrementCounter() { go func() { counter++ }() }

Instead, use channels or the sync package to coordinate access to shared state:

// Using a channel func incrementCounter(counterCh chan int) { go func() { counterCh <- 1 // Increment by 1 }() }

// Or using sync.Mutex var ( counter int mutex sync.Mutex )

func incrementCounter() { go func() { mutex.Lock() counter++ mutex.Unlock() }() }

3. Deadlocks

Deadlocks can occur when goroutines are stuck waiting for each other. Go will detect and panic on some deadlocks at runtime, but not all:

// Deadlock example func main() { ch := make(chan int) ch <- 1 // Blocks forever as no one is receiving <-ch // Never reached }

To avoid deadlocks:

  • Always ensure that for every send to a channel, there's a corresponding receive
  • Be careful with channel directions (send-only, receive-only)
  • Consider using buffered channels when appropriate
  • Use timeouts and cancelation to prevent indefinite blocking

Performance Considerations

While goroutines are lightweight, they're not free. Here are some performance considerations:

  1. Goroutine Initial Size: Each goroutine requires memory for its stack (2KB as of Go 1.4). While this is much smaller than OS threads, launching millions of goroutines could still consume significant memory.

  2. Channel Operations: Channel operations involve synchronization and copying data, which can be expensive for large data structures. For large data, consider passing pointers (being careful about shared memory access).

  3. CPU-Bound vs. I/O-Bound: Goroutines excel at I/O-bound tasks. For CPU-bound tasks, creating more goroutines than available CPU cores may not improve performance due to context switching.

  4. Work Stealing: Go's scheduler uses work stealing to balance goroutines across OS threads, but extremely unbalanced workloads could still lead to inefficiencies.

Testing Concurrent Code

Testing concurrent code presents unique challenges. Go provides tools to help:

  1. Race Detector: Run tests with the -race flag to detect race conditions:

    go test -race ./...

  2. Deterministic Testing: Make concurrent code deterministic for testing by using explicit synchronization or controlling the execution order.

  3. Timeout Tests: Use the testing package's timeout functionality to catch deadlocks:

func TestConcurrentOperation(t *testing.T) { t.Parallel() // Run this test in parallel with others

// Test with timeout
timeout := time.After(1 * time.Second)
done := make(chan bool)

go func() {
    // Run the concurrent operation
    result := concurrentOperation()
    // Verify result
    done <- true
}()

select {
case <-done:
    // Test passed
case <-timeout:
    t.Fatal("Test timed out")
}

}

Conclusion

Go's concurrency model, based on goroutines and channels, offers a refreshing approach to concurrent programming. By focusing on communication rather than shared memory, it simplifies many complex concurrency problems and makes it easier to write correct concurrent code.

As we've seen, Go provides elegant solutions to common concurrency patterns such as worker pools, fan-out/fan-in, timeouts, and cancelation. While there are still pitfalls to be aware of, the overall simplicity and safety of Go's approach make it an excellent choice for concurrent applications.

As multi-core processors continue to proliferate and distributed systems become more common, I believe Go's approach to concurrency will become increasingly valuable. Whether you're building web servers, data processing pipelines, or distributed systems, understanding and leveraging Go's concurrency model will help you create more robust and efficient applications.

In future articles, I'll explore more advanced concurrency patterns and real-world applications of Go's concurrency model. Until then, happy concurrent programming!


About the author: I'm a software engineer with experience in systems programming and distributed systems. After exploring Go in 2014, I've been using it extensively for building high-performance web services and concurrent applications.

21 September, 2014

RESTful API Design Principles and Implementation in Go

Introduction

In today's interconnected world, APIs (Application Programming Interfaces) have become the foundation of modern software architecture. Among the various API design approaches, REST (Representational State Transfer) has emerged as the dominant paradigm for building web services. As Go continues to gain traction in the server-side development space, it presents an excellent option for implementing RESTful APIs due to its simplicity, performance characteristics, and strong standard library.

In this article, I'll explore the core principles of RESTful API design and demonstrate how to implement these principles using Go. Whether you're new to API development or looking to improve your existing practices, this guide will provide practical insights to help you build more robust, maintainable, and user-friendly APIs.

Understanding REST Principles

REST was introduced by Roy Fielding in his 2000 doctoral dissertation as an architectural style for distributed hypermedia systems. While REST isn't tied to any specific protocol, it's most commonly implemented over HTTP. A truly RESTful API adheres to several key principles:

1. Resource-Based Design

In REST, everything is a resource, which is any entity that can be accessed and manipulated. Resources are typically represented as nouns, not verbs. For example:

  • Good: /users, /articles, /products/123
  • Avoid: /getUserInfo, /createNewArticle, /deleteProduct

2. HTTP Methods as Actions

REST leverages HTTP methods to indicate the action being performed on a resource:

  • GET: Retrieve a resource
  • POST: Create a new resource
  • PUT: Update a resource (complete replacement)
  • PATCH: Partially update a resource
  • DELETE: Remove a resource

3. Representation

Resources can have multiple representations (JSON, XML, HTML, etc.). Clients can specify their preferred format using HTTP content negotiation via the Accept header.

4. Statelessness

Each request from a client to the server must contain all the information needed to understand and process the request. The server should not store client state between requests.

5. HATEOAS (Hypermedia as the Engine of Application State)

Responses should include links to related resources, allowing clients to dynamically navigate the API.

Designing a RESTful API

Before writing any code, it's crucial to design your API thoughtfully. Here's a methodical approach:

1. Identify Resources

Start by identifying the key entities in your application domain. For example, in a blogging platform, resources might include:

  • Users
  • Articles
  • Comments
  • Categories
  • Tags

2. Define Resource URIs

Map your resources to URI paths following a consistent pattern:

  • Collection resources: /users, /articles
  • Specific items: /users/123, /articles/456
  • Sub-resources: /articles/456/comments

3. Determine Representations

Decide how your resources will be represented. JSON has become the de facto standard for web APIs due to its simplicity and widespread support.

A user resource in JSON might look like:

{"id": 123, "username": "johndoe", "email": "john@example.com", "created_at": "2014-08-12T14:30:00Z"}

4. Plan API Versioning

APIs evolve over time. Establish a versioning strategy early to ensure backward compatibility. Common approaches include:

  • URI versioning: /v1/users, /v2/users
  • Header versioning: Accept: application/vnd.myapi.v1+json
  • Parameter versioning: /users?version=1

URI versioning is the most straightforward and widely used approach.

Implementing a RESTful API in Go

Go's standard library provides everything needed to build a basic RESTful API. For more complex applications, you might consider using frameworks like Gin, Echo, or Gorilla Mux, but understanding the fundamentals with the standard library is valuable.

Setting Up the Project Structure

A well-organized project structure enhances maintainability. Here's a simple structure for a Go API project:

/api /handlers # Request handlers /models # Data models /middleware # HTTP middleware /services # Business logic /utils # Helper functions main.go # Entry point

Creating Models

Start by defining your data models. For a simple user management API:

Here's how you would define a simple User model:

package models import "time"

type User struct { ID int json:"id" Username string json:"username" Email string json:"email" CreatedAt time.Time json:"created_at" }

The struct tags (like json:"id") control how the struct fields are marshaled and unmarshaled to/from JSON.

Implementing Handlers

Handlers are responsible for processing HTTP requests and returning appropriate responses:

A basic handler for user resources might look like this:

package handlers

// Required imports: // - encoding/json // - net/http // - your-project/models

// Sample user data (in a real application, this would come from a database) var users = []models.User{ {ID: 1, Username: "johndoe", Email: "john@example.com"}, {ID: 2, Username: "janedoe", Email: "jane@example.com"}, }

// GetUsers returns all users func GetUsers(w http.ResponseWriter, r *http.Request) { w.Header().Set("Content-Type", "application/json") json.NewEncoder(w).Encode(users) }

// GetUser would handle retrieving a specific user by ID // It would parse the ID from the URL path // Return the user if found, or a 404 status if not found

Setting Up Routes

Configure your API routes in the main application file:

Your main application file would set up the routes and start the server:

package main

// Required imports: // - log // - net/http // - your-project/handlers

func main() { // Define routes http.HandleFunc("/api/v1/users", handleUsers) http.HandleFunc("/api/v1/users/", handleUser)

// Start server
log.Println("Server starting on :8080")
log.Fatal(http.ListenAndServe(":8080", nil))

}

func handleUsers(w http.ResponseWriter, r *http.Request) { switch r.Method { case http.MethodGet: handlers.GetUsers(w, r) case http.MethodPost: handlers.CreateUser(w, r) default: http.Error(w, "Method not allowed", http.StatusMethodNotAllowed) } }

// handleUser would handle requests for specific users // Similar to handleUsers but for operations on individual resources

Best Practices for RESTful APIs

1. Use Appropriate Status Codes

HTTP status codes provide valuable information about the result of a request:

  • 200 OK: Successful request
  • 201 Created: Resource successfully created
  • 204 No Content: Success with no response body
  • 400 Bad Request: Invalid request format
  • 401 Unauthorized: Authentication required
  • 403 Forbidden: Authentication succeeded, but user lacks permission
  • 404 Not Found: Resource doesn't exist
  • 405 Method Not Allowed: HTTP method not supported for this resource
  • 500 Internal Server Error: Unexpected server error

2. Implement Proper Error Handling

Return meaningful error messages that help clients diagnose issues:

{"error": "Invalid user data", "message": "Email address is required", "status": 400}

In Go, you might implement error handling like this:

A simple error handling approach:

type ErrorResponse struct { Error string json:"error" Message string json:"message" Status int json:"status" }

func respondWithError(w http.ResponseWriter, code int, message string) { response := ErrorResponse{ Error: http.StatusText(code), Message: message, Status: code, } w.Header().Set("Content-Type", "application/json") w.WriteHeader(code) json.NewEncoder(w).Encode(response) }

3. Implement Authentication and Authorization

Protect your API with appropriate authentication mechanisms:

  • API keys for simple scenarios
  • OAuth 2.0 for more complex user authentication
  • JWT (JSON Web Tokens) for stateless authentication

4. Enable CORS for Browser Clients

If your API needs to be accessible from browser-based applications on different domains, configure Cross-Origin Resource Sharing (CORS):

A simple function to enable CORS:

func enableCORS(w http.ResponseWriter) { w.Header().Set("Access-Control-Allow-Origin", "*") w.Header().Set("Access-Control-Allow-Methods", "GET, POST, PUT, DELETE, OPTIONS") w.Header().Set("Access-Control-Allow-Headers", "Content-Type, Authorization") }

5. Implement Pagination for Large Collections

When dealing with large collections, implement pagination to improve performance:

GET /api/v1/users?page=2&per_page=20

Response:

{"data": [...], "meta": {"page": 2, "per_page": 20, "total": 352, "total_pages": 18}, "links": {"first": "/api/v1/users?page=1&per_page=20", "last": "/api/v1/users?page=18&per_page=20", "prev": "/api/v1/users?page=1&per_page=20", "next": "/api/v1/users?page=3&per_page=20"}}

Testing RESTful APIs in Go

Testing is crucial for ensuring your API functions correctly. Go's testing package makes it straightforward to write unit and integration tests.

Unit Testing

For unit testing handlers, you can use httptest package:

Here's a simple test case for the GetUsers handler:

package handlers_test

// Required imports: // - encoding/json // - net/http // - net/http/httptest // - testing // - your-project/handlers // - your-project/models

func TestGetUsers(t *testing.T) { // Create a request to the /api/v1/users endpoint req, err := http.NewRequest("GET", "/api/v1/users", nil) if err != nil { t.Fatal(err) }

// Create a response recorder to capture the response
rr := httptest.NewRecorder()
handler := http.HandlerFunc(handlers.GetUsers)

// Serve the request to the handler
handler.ServeHTTP(rr, req)

// Check that the status code is 200 OK
if status := rr.Code; status != http.StatusOK {
    t.Errorf("handler returned wrong status code: got %v want %v",
        status, http.StatusOK)
}

// Parse the response body into a slice of User structs
var users []models.User
if err := json.Unmarshal(rr.Body.Bytes(), &users); err != nil {
    t.Errorf("couldn't parse response: %v", err)
}

// Verify that the response contains at least one user
if len(users) == 0 {
    t.Errorf("expected users, got empty array")
}

}

Integration Testing

For more comprehensive testing, consider setting up a test database and testing the entire API flow:

  1. Start the server with a test configuration
  2. Make real HTTP requests to your API endpoints
  3. Verify the responses
  4. Clean up any test data

Documenting Your API

Good documentation is essential for API adoption. Several tools can help generate API documentation:

  1. Swagger/OpenAPI: Define your API using the OpenAPI specification and generate interactive documentation
  2. API Blueprint: A Markdown-based documentation format
  3. Postman: Create collections that serve as documentation and test suite

At minimum, your documentation should include:

  • Available endpoints
  • HTTP methods supported by each endpoint
  • Request parameters and body format
  • Response format and status codes
  • Authentication requirements
  • Rate limiting information
  • Example requests and responses

Conclusion

Building RESTful APIs in Go is straightforward thanks to its strong standard library and excellent performance characteristics. By following the principles and best practices outlined in this article, you can create APIs that are intuitive, maintainable, and performant.

As you continue your journey with Go and REST, consider exploring more advanced topics such as:

  • Implementing a middleware chain for cross-cutting concerns
  • Using a more sophisticated router like Gorilla Mux
  • Connecting to databases like PostgreSQL or MongoDB
  • Implementing caching strategies
  • Setting up monitoring and observability

Remember that good API design is an iterative process. Gather feedback from your API consumers and be prepared to evolve your API over time while maintaining backward compatibility.


About the author: I'm a software engineer with experience in systems programming and web service development. After exploring Go earlier this year, I've been using it to build high-performance web services and RESTful APIs. 

15 March, 2014

Getting Started with Go: A Systems Programming Language for the Modern Era

 

Introduction

The programming landscape is constantly evolving, with new languages emerging to address the limitations of existing ones. In recent years, one language has been gaining significant traction among systems programmers and web developers alike: Go (or Golang). Developed at Google by Robert Griesemer, Rob Pike, and Ken Thompson, Go aims to combine the efficiency and safety of statically typed compiled languages with the simplicity and productivity of dynamic languages.

As someone who has worked extensively with C++ and Java, I've found Go to be a refreshing alternative that addresses many pain points associated with traditional systems programming languages. In this article, I'll introduce you to Go's key features, compare it with established languages, and demonstrate its capabilities through practical examples.

The Origins and Philosophy of Go

Go was born out of frustration with the complexity and verbosity of languages like C++ and Java, combined with the need for better concurrency support in an increasingly multi-core world. The language was officially announced in 2009 and reached version 1.0 in 2012, marking its stability for production use.

The philosophy behind Go can be summarized in a few key principles:

  • Simplicity: Go has a small language specification with minimal syntax
  • Readability: Code should be easy to read and understand
  • Pragmatism: Focus on solving real-world problems
  • Concurrency: Built-in support for concurrent programming
  • Efficiency: Fast compilation and runtime performance

These principles inform every aspect of Go's design, from its streamlined syntax to its approach to memory management.

Key Features of Go

Static Typing with Type Inference

Go is statically typed, meaning types are checked at compile time. However, unlike languages like Java or C++, Go often doesn't require explicit type declarations thanks to its type inference system:

In Go, you can declare variables with explicit types: var message string = "Hello, Go!"

Or you can use type inference for more concise code: message := "Hello, Go!"

This gives developers the safety of static typing without the verbosity.

Fast Compilation

One of Go's most impressive features is its compilation speed. Go was designed from the ground up for fast compilation, with a dependency management system that minimizes the work needed during incremental builds.

On my development machine, a medium-sized Go project typically compiles in seconds, compared to minutes for similar C++ projects. This rapid feedback loop significantly improves developer productivity.

Built-in Concurrency

Go's approach to concurrency is perhaps its most revolutionary feature. Rather than relying on threads and locks, Go introduces two key concepts:

  1. Goroutines: Lightweight threads managed by the Go runtime
  2. Channels: Type-safe pipes that allow goroutines to communicate

Here's a simple example that demonstrates concurrent execution:

A simple concurrent program in Go would look like this:

package main

import "fmt" and "time"

First, define a function that prints messages:

  • Function sayHello(id int) that loops 5 times
  • Prints a message with the goroutine ID and current index
  • Sleeps for 100 milliseconds between iterations

In the main function:

  • Start two goroutines with the "go" keyword (go sayHello(1) and go sayHello(2))
  • Wait for the goroutines to finish by sleeping for 1 second
  • Print "Main function completed"

When run, this program would show interleaved messages from both goroutines, demonstrating their concurrent execution.

This program launches two goroutines that run concurrently, each printing messages at intervals. The output will show interleaved messages from both goroutines, demonstrating their concurrent execution.

Garbage Collection

Go includes a garbage collector that automatically manages memory, freeing developers from manual memory management. While garbage collection typically introduces performance overhead, Go's GC is designed to minimize pauses and interference with running programs.

Standard Library

Go ships with a comprehensive standard library that covers everything from low-level networking to cryptography and compression. The standard library is well-documented, consistent, and focused on practical use cases.

Go vs. Other Languages

Go vs. C/C++

Coming from C++, I immediately appreciated several aspects of Go:

  1. Simpler syntax: No header files, class hierarchies, or template metaprogramming
  2. Memory safety: No pointer arithmetic or manual memory management
  3. Faster compilation: Orders of magnitude faster than C++
  4. Built-in concurrency: No need for complex threading libraries

However, Go does give up some features that C++ programmers rely on:

  1. No generics (as of Go 1.0): Requires interface-based programming or code generation
  2. Limited low-level control: No direct memory manipulation
  3. No operator overloading: Can lead to more verbose code for mathematical operations

Go vs. Java

Compared to Java, Go offers:

  1. Lighter weight: No JVM required, smaller runtime
  2. Faster startup: Compiled to native code
  3. More explicit error handling: No exceptions, using returned error values instead
  4. Simpler object model: No inheritance, just composition and interfaces

Java still has advantages in certain areas:

  1. Richer ecosystem: More mature libraries and frameworks
  2. Better tooling: IDEs and development tools are more advanced
  3. Generics support: More type-safe collections and algorithms

Building a Simple Web Server

Let's demonstrate Go's capabilities by building a simple HTTP server that responds with "Hello, World!":

A simple web server in Go would consist of:

package main

import statements for "fmt", "net/http", and "log"

A handler function that writes a response:

  • Function helloHandler that takes response writer and request parameters
  • Uses fmt.Fprintf to write "Hello, World!" to the response

In the main function:

  • Register the handler function for the "/hello" path
  • Print a message indicating the server is starting
  • Start the HTTP server on port 8080
  • Check for errors and log them if they occur

This code demonstrates Go's built-in HTTP capabilities without requiring external frameworks.

This example demonstrates several Go features:

  1. The concise import system
  2. Function declaration syntax
  3. Error handling pattern
  4. Built-in HTTP server from the standard library

To run this server, save the code to a file named server.go and execute:

go run server.go

Then navigate to http://localhost:8080/hello in your browser.

Getting Started with Go

If you're interested in trying Go, here's how to get started:

  1. Install Go: Download the installer from golang.org
  2. Set up your environment: Configure GOPATH as described in the documentation
  3. Write your first program: Create a file named hello.go with the following content:

A minimal "Hello World" program in Go:

package main

import "fmt"

func main() { fmt.Println("Hello, Go!") }

  1. Run your program: Execute go run hello.go
  2. Explore the documentation: Go has excellent documentation at golang.org/doc

Conclusion

Go offers a compelling alternative to traditional systems programming languages, combining performance, safety, and simplicity. Its straightforward syntax and powerful concurrency model make it particularly well-suited for networked services and distributed systems.

As a relatively young language, Go is still evolving, with an active community and growing ecosystem. While it may not be the right choice for every project, its pragmatic approach and focus on developer productivity make it worth considering for your next systems programming or web service task.

In future articles, I'll explore more advanced Go topics, including testing strategies, package management, and best practices for building production-ready applications. Stay tuned!


About the author: I'm a software engineer with experience in systems programming and distributed systems. After working extensively with C++ and Java, I've been exploring Go for building high-performance web services and microservices.

06 September, 2013

Back....

Hello World,

Its been a while. I was busy working with Polycom as a Software Developer Intern in a product called Millennium - 360 degree panoramic 1080p video solution which would hit the market shortly. Hopefully everything goes well.

Alrighty... So what I got now..I came across one thing recently which I thought I would share.

So everyone would have used wikipedia atleast once. So how do you print a wiki article?

Open the wiki page  -> Chose Print option from web browser ? Is that what you think...
Won't the pages look disordered with images scattered and contents not justified properly......
What if you want to combine many wiki articles and take printout?
 Do you download all html pages and print each page? Isn't this annoying?

So wiki has come up with this ( I'm not sure when it was ) concept called "Book Creater".
If you had already known about this, there is nothing new I'm gonna tell.
For those who doesn't know about it, go on.

Goto wikipedia.org main page (http://en.wikipedia.org/wiki/Main_Page)
Under Print/Export in left pane, chose create a book -> Start book creater.
Now you can visit any wiki pages you want and add to your book. At the end, this can be downloaded as a pdf which can be later printed or you can read it using your gadgets. Cool isn't it :)

This is such a nice feature which I didn't know earlier :)
Anyways, hope you can make use of this cool stuff.
Take care guys.  Will come up with articles as and when I learn new things or something strikes my mind.

17 April, 2013

Self Modifying Code

Sorry guys. It's been a while. I'm near the end of Spring Semester with hectic things ahead.
In the mean time, I thought I would post something for us to chew.

Okay this post is about Self Modifying Code which I came across recently in my course work
where there was a line "The issues with Binary Translation (VMM) is Self Modifying Code".

 Lets not look into VMM aspects, rather I shall restrict myself to the later.

What is Self Modifying Code?

Program that purposely alters its own instructions while executing.
Something like a chameleon :-)

If we write a code that improperly manipulates a buffer then its a self modifying code :-) leading to crash.

Questions arise as to why we need this kind of code for which I would suggest to read the wikipedia article for its usages.

Of-course one can use this to create viruses ! making life difficult for anti-virus programs / honeypots.

It is not the code that gets changed [ Of course it needs to :-) ] but the executable that needs to change while its running. This restricts us to OS specific.

Say suppose we have a program emitting some output. Now lets open the executable using
hex editor, modify the executable to emit a different one.

If we see windows updates, its evident that program which is in execution is closed, re-written and started again. Can't this be done while the program is in execution?

Consider a huge deployment where there is a small bug with respect to your component.
The fix is just adding a check or changing some macro.

Instead of rebuilding the entire component,  is it possible to write a small piece of code ( a function ) which could tweak into image of running file and fixes the bug by altering it.
This would be of great help. isn't it ? :-)

So how do we do it?  I'm also trying it.
In the mean time, you guys too can try.

Lets state our objective

a) We know the operating system where our "*.so || *.exe || *.sl" is running.
b) Our objective is to tweak this executable for a minor fix that was found in site deployment.
    [Note : we are not supposed to restart the process]

Have fun while trying :)

30 March, 2013

What is it like for an Indian student to pursue MS/PhD from a US university?

    Courtesy : Quora

    Before I answer this question, I would like you to know that I am not from one of the premier Institutes in India . What I say henceforth is largely from a view point of an average Indian pursuing his/her graduate studies in the United States. I will warn you that this is going to be a subjective analysis and more like I am venting out my frustration against fellow Indian students. I know I am likely to draw a lot of flak for this and may fetch comments like I should check out some of the top schools, but yeah well, I am in one of the top CS programs and things are no different from a 2nd tier school. You can only imagine the shock I felt.

    The American way of life.
    Folks here are largely individualistic. And I applaud them for being so. I might have seen only a niche group of Americans here, but I can safely conclude that they are polite, humble and most important of all, have this extreme passion for a godforsaken field that we, status loving, name dropping folks, are largely alien to. I know of a American teammate who is crazy about collecting motocross statistics and he is pretty serious about it . The passion is so infectious, it makes me go weak on my knees, to the point of being mistaken as someone experiencing a hot flush. No kidding. There is just no match to the passion these guys have.

    Point to be noted: They are one of the few groups that go on a vacation during Spring Break, mostly because they are disciplined with their work and manage their time well.
    .
    Occasionally, I do run into some whack-jobs who are anti-abortion or anti-gay, but that's a minuscule number and doesn't represent the whole. Americans in general are a private lot, love sports and take a great deal of pride in who they are and what they do.They could be running your local grocery store and they are mighty proud about it. Unlike us who look down upon anyone not a Computer Science Engineer or a Doctor, they are less pretentious and more open to failures. A Stanford graduate never talks about his pedigree because he knows what it is to be subtle and he knows that it is the idea that matters more than where the person is from. I appreciate this quality a lot and I only, only wish we, as a nation, embraced it.

    We all grew up in a place where there is so much noise about all things personal : grades, salary, property details to the precision of the last decimal point. That way, it is a breather here because almost all conversations with the non-Indian graduate students revolve mostly around their various hobbies, their interests, ideas and some dry humor. No one asks you whether you secured an internship or a job . They will never ask you your grades and will never question you if you are seen talking to someone from the opposite sex. Privacy, civility and respect is almost embedded into their culture as is lack of personal space and lack of sense of individuality in ours. I seldom hear them say "Oh well, when I was at Stanford, I got job offers from X , Y and Z!

    The Indian way of American life:

    The culture shock I experienced was from the Indian Community : There will be a certain 'Indian Student Association' in your graduate school. My two cents on this one. Run like Usain Bolt from them. Run as fast as you can. Their sole reason for existence is to display their 'accomplishments' in the pretext of on-boarding freaked out freshers like us. I could hear imaginary trumpets blaring when I got introduced to a couple of them. This is where your brainwashing begins and your starry eyed dream of an international experience begins to fade with the song-dance gala welcome party and samosas. And god forbid you are from the meek (elegant, I would say) southern part of India, you will probably receive 'light-hearted' racist comments about your 'Madrasi' idlis and sambhars. These are the same folks who extend their sincere support when one Mr.Khan gets questioned by the TSA and cry foul about how racism is rampant in the western world. These guys cannot differentiate Chennai from Bangalore from Hyderabad and even Orissa. Goodness gracious. I don't even want to comment on poor East-Indians. Double standards, not new right?

    Soon after, you will mail your Indian senior graduates asking them for suggestions on courses to choose, professors to work with, projects to work on, all with the primary intent of landing a plum job with a very well known firm. Things are often exaggerated (like the Indian weddings), you are scared the hell out if you dare go beyond the norm and pick courses that your senior friend brands as 'very difficult' by his standards. He will scare you SO much, that it reverberates all through your semester, your confidence taking a beating with every tiny mistake you make. And worse, you repeat the same cycle, plant this seed into another incoming student's head and there, you have an entire line of Indians not signing up for a course because, oh well, seniors did not take it. Indians here are risk averse, not because they are not capable of taking risks (a foreign graduate study is risk in itself) but because they are surrounded by a peer group that psychologically prevents them from taking risk. I hardly see them trying out something as unpredictable as a start-up or going for that arduous PhD that they dream of.
    Herd mentality has its victims. Not new to us, is it?

    You were perfectly capable of doing well in that subject till you decided to get that bloated advice from your senior friend. Trust yourself to make the right call here and pick courses that you are passionate about, not because your senior friend tells you that it is 'easy' or 'difficult' or worse, that not signing up for that course will not fetch you a job (This, by far, is the lamest advice I have heard from an Indian senior. Made me cringe)

    The other side of this affair, the dangerous one, here goes: There are a certain 'easy' courses in your curriculum. By easy, it means easy grades or a lenient professor. Well, before you know it's easy (takes a month to realize that) your Indian friends and their senior bum-chums would have ragged you on your incompetency for not signing up for an intellectually challenging course like they did. Here I am paying nearly all my life savings in tuition for a subject that everybody makes fun of. How does that feel? It feels bloody miserable that such black and white judgement process exist in a world class university and your peers do not let you enjoy what you are studying. Easy or difficult, it's the learning I enjoy more so than anything. Of course, you could always show the finger and move on, but it does become a little difficult when the peer group views you as an intellectual misfit. They are all out to prove their choices, decisions are far superior to yours. Sounds familiar?

    The great Indian hype : If you happen to have worked for the biggies back home, you are a superstar here. Your friends hype your work, when you yourself don't care a penny about it, suddenly everyone thinks you are a smart kid, and nasty comments like 'Well, you are the smart one, you will obviously crack this, it's a joke for you' will be spewed. And if you fail to crack it, the same group immediately writes you off, leaving you wondering if you signed up for this after all. I did not create the hype, I did not publicize my work, but here I am being made fun for failing something I did not even claim I could solve!

    Minor annoyance, the Facebook feed of your party-kid Indian friend : There is also this certain Indian group who are one of those misinformed college kids clicking endless pictures and doing endless check-ins at every happening and non-happening place in the city. They are another reason for you to cringe. Having never seen the US or been here once or twice on a family trip , they are this uber excited , hyper active social beings who make us all look like party kids, desperate for attention. There is a flood of photos of your wannabe Indian friend with an American/Ukranian/German/French guy/girl (Who cares! they are all a bunch of good looking white folks anyway!) every 10 minutes on your news feed. Believe me, it makes you immensely popular among your Indian friends, you become the talk of the town (your Indian group). It is pretty much like living in India.

    You, if you are one of those pitiable Indian student with a hefty loan and with the sole purpose of learning, with dreams and ambitions beyond a job, inclined to know more about the American way of life, the history, the politics, the culture, the people, will be left wondering if you accidentally landed in India. Worse, they will look at you with contempt if you make the slightest indication that you are not inclined to their way of life, you are different, and you want to be a part of a broader culture that emphasizes on individualism than the collective thinking we have been brought up to accept. If you follow the election primaries/ presidential elections, my suggestion is to keep it a secret and pretend you enjoy Bollywood songs when you are with your group. Helps to bond and make them feel home.

    Your friends are nosy. They want to know who you hang out with, your grades, who you stay with, if things are okay with your roommates, the white 'chick' you find hot, whether you managed to get an internship, if not, some unsolicited advice on how I should be prepared for an unpaid internship, your salary and your plans of securing a job after Master's and more unsolicited advice. The rat race repeats all over again, the very same reason why you left India.

    Academics
    Life is not as easy-peasy as those Facebook photos depict. It is a lot of work, actually. More like a correction facility for all the tardiness back in our undergraduate classes. You will be forced to wake up early, forced to sleep late, forced to think for every assignment, forced to feel miserable about your performance in term exams and forced to shut up about your grades. You will be forced to become more disciplined in life. This is why I wrote in the beginning that I am not from one of the premier Indian institutes, because those guys are probably used to such load. If you are an average student like me, you will wonder where you are going wrong, in spite of being one of the top students in your class back home. It was rote learning back there, it is not that way here. Not a day passed in the first couple of months where I did not wish that I had studied in the US since the very beginning.

    But, of course, there is an easy way out of this, something you must know by now, given how things work in India. You can always get your answers on the internet or by discussing them with your Indian friends beyond the permitted levels and break all the academic honesty rules. Rules are meant to be broken isn't it? That's how things are back home! And with the self-righteous attitude we have, we collectively look down on anyone caught for academic dishonesty, but pretty much do it ourselves. 'Hey let's work on this assignment' is the norm, even if it clearly states that collaboration is not allowed. Any guesses why the Indians score well and way above average? Here it is.

    I know I did drift from the main topic. Now back to your actual answer.You will do great if you are sincere with your work, if you have a desire to learn, if you are curious and if you don't let the above affect you much. As another post here highlights, professors are approachable (Indian professors alike), resources are aplenty and school will keep you busy enough to forget a lot of peer pressure I mentioned above.You can select courses from technical/non-technical departments alike, while you are majoring in say Computer Vision. It need not be always coherent, because a lot of us are here to explore.You are not expected to become a subject matter expert and specialize in something. It is recommended, not mandatory. I know of a professor who majored in Music in his undergraduate studies and went on to get his PhD in Computer Science. That is the flexibility this system offers. Awesome isn't it?

    If you are in one of the research schools, I recommend you to get a hang of the kind of research that goes on and think about how you could contribute your tiny little idea to the academia, no matter how nebulous it is. That said, there is nothing wrong in looking for a job (I too want to make my living) but do not let it become a priority, because you are here for graduate studies and jobs/internships are more or less a by-product of what you do here. Education is something very close to my heart and it does bother me personally when the whole purpose is diluted with unnecessary add-ons like what I mentioned above.


23 March, 2013

Nitty-Gritty Things - 1

In this blog lets talk about some nitty-gritty implementation stuffs.

Okay. So assuming the reader knows C/C++

a) How to add time restrictions to user input?

To elaborate, we know in C, the user input is read using scanf/getc/getchar and in C++ using cin object.

So our objective is to add some time limit so that user inputs the value before the timeout.

a) You can do by calling a script written in bash/python etc from C code and evaluate.
b) May be create a thread and fire the thread when timeout happens.

Is there any other way? <Think before scrolling down>
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.

http://www.gnu.org/software/libc/manual/html_node/Setting-an-Alarm.html
http://pubs.opengroup.org/onlinepubs/009695399/functions/alarm.html

After reading the above links, I came up with this.

#include<stdio.h>
#include<unistd.h>

#define TIMEOUT 5
int main()
{
        int t_iTemp;
        while( alarm(TIMEOUT), ( t_iTemp = getchar() ) != EOF )
        {
                putchar(t_iTemp);
        }
        return 0;

}

This program waits for 5 secs. If user doesn't input anything, it exits else just echoes the input
and waits for next 5 secs.

The idea is simple i.e to generate a signal based on timer.
But the important takeaway is about alarm function.


Okay lets see one more.

b) Say you are developing a clock app. Now you will have conditions for hours,seconds,mins etc

The thing we will talk is how do you display 00 when the clock moves from 59 in case of mins/secs and 23 in case of hour.

When we think about it, its nothing but printing "00". But remember here we are talking about numbers :-)

What happens when you assign 00 to a integer and print it. It should be printing 0 instead of 00.
So how do you print an integer as 00. This is what we will be talking.

<Think before scrolling>
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
.
..
.
.
..
.
.
.

You can use a format specifier :D

int a = 00;
printf("%d",a) -> 0
printf("%02d",a) -> 00

However there are functions which can replicate a given number/character which is the takeaway.
Check the below link.
http://www.cplusplus.com/reference/iomanip/setfill/


 int hrs = 0;
 cout<<setw(2)<<setfill('0')<<hrs<<endl;

Hope you enjoyed reading and got something out of it.
Please post comments/suggestions(if any).