Learning Kubernetes: Deploying a Go Server from Scratch

In this hands-on tutorial, we’ll walk through deploying a simple Go web server on Kubernetes, covering setting up a local Kubernetes cluster with Minikube, and deploying your application. Perfect for developers looking to understand modern infrastructure orchestration.

Kubernetes and Go Logo

Why Kubernetes for Go Applications?

Kubernetes adds a layer of orchestration that makes managing applications at scale significantly easier. Here’s why Kubernetes is a great fit for Go applications:

  • Automatic Scaling and Self-Healing: Kubernetes automatically scales your application based on traffic and restarts failed containers, ensuring high availability.
  • Zero-Downtime Deployments: Rolling updates allow you to deploy new versions of your application without downtime.
  • Service Discovery and Load Balancing: Kubernetes provides built-in mechanisms for service discovery and distributes traffic evenly across your application instances.
  • Resource Optimization: Kubernetes allocates resources (CPU, memory) across your cluster, ensuring optimal utilization.
  • Unified Management: Kubernetes simplifies the management of microservices by providing a single platform to deploy, scale, and monitor your applications.

Project Overview

Our tech stack will include:

  • Go for the web server
  • Docker for containerization
  • Minikube for local Kubernetes cluster
  • kubectl for cluster management

Here’s the project structure:

Project Structure:
./
├── k8s/
│   ├── deployment.yaml
│   └── service.yaml
├── Dockerfile
├── main.go
└── ReadMe.md

Core Kubernetes Concepts

Before diving into the implementation, let’s understand the core Kubernetes concepts we’ll be using:

1. Pods: The Atomic Unit

Pods are the smallest deployable units in Kubernetes. A Pod can contain one or more containers that share the same network and storage namespace. In our case, the Go application will run in a single-container Pod. Pods are ephemeral, meaning they can be created, destroyed, and replaced dynamically.

2. Deployments: State Management

Deployments manage the desired state of your application. They ensure that a specified number of Pod replicas are running at all times. Deployments also handle rolling updates and rollbacks, making them ideal for managing stateless applications like our Go web server.

3. Services: Network Abstraction

Services provide a stable network endpoint to access your Pods. They abstract away the dynamic nature of Pod IPs by providing a consistent DNS name and IP address. In our example, we’ll use a LoadBalancer service to expose our Go application to the outside world.

Kubernetes Architecture Diagram https://kubernetes.io/images/docs/components-of-kubernetes.svg

Step-by-Step Implementation

1. Go Application

Let’s start by creating a minimal Go web server. Here’s the code for main.go:

package main

import (
    "fmt"
    "net/http"
)

func main() {
    http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
        fmt.Fprintf(w, "Welcome to DevOps Kubernetes Demo!")
    })
    http.ListenAndServe(":8080", nil)
}

This simple server listens on port 8080 and responds with a welcome message.

2. Containerization with Docker

Next, we’ll containerize the Go application using a multi-stage Dockerfile. This approach ensures that the final image is lightweight by only including the necessary runtime dependencies.

# Build stage
FROM golang:1.21-alpine AS builder
WORKDIR /app
COPY . .
RUN go build -o main .

# Runtime stage
FROM alpine:3.18
WORKDIR /app
COPY --from=builder /app/main .
EXPOSE 8080
CMD ["./main"]

To build and push the Docker image, run:

docker build -t yinebeb/k8s-app:1.0 .
docker push yinebeb/k8s-app:1.0

3. Kubernetes Cluster Setup with Minikube

To run Kubernetes locally, we’ll use Minikube. Here’s how to set it up:

# Linux installation
curl -LO https://github.com/kubernetes/minikube/releases/latest/download/minikube-linux-amd64
sudo install minikube-linux-amd64 /usr/local/bin/minikube && rm minikube-linux-amd64

# Start the cluster
minikube start

Verify that the cluster is running:

minikube status

Deployment Configuration

Deployment Manifest (k8s/deployment.yaml)

A Deployment in Kubernetes is responsible for managing the desired state of your application. It ensures that a specified number of Pod replicas are running and handles updates and rollbacks. Here’s our deployment.yaml:

apiVersion: apps/v1
kind: Deployment
metadata:
  name: go-app-deployment
spec:
  replicas: 3
  selector:
    matchLabels:
      app: go-app
  template:
    metadata:
      labels:
        app: go-app
    spec:
      containers:
      - name: go-app
        image: yinebeb/k8s-app:1.0
        ports:
        - containerPort: 8080
        resources:
          requests:  # Minimum required resources
            memory: "64Mi"
            cpu: "250m"
          limits:    # Maximum allowed resources
            memory: "128Mi"
            cpu: "500m"

Key Components:

  • Replica Count: We’ve set replicas: 3 to ensure high availability. Kubernetes will maintain three instances of our application.
  • Resource Limits: The resources section defines the minimum and maximum CPU and memory each Pod can use. This ensures fair resource allocation across the cluster.
  • Label Selector: The selector field ensures that the Deployment manages Pods with the label app: go-app.

Service Exposure (k8s/service.yaml)

A Service in Kubernetes provides a stable endpoint to access your application. It abstracts away the dynamic nature of Pod IPs and provides load balancing. Here’s our service.yaml:

apiVersion: v1
kind: Service
metadata:
  name: go-app-service
spec:
  type: LoadBalancer
  selector:
    app: go-app
  ports:
    - protocol: TCP
      port: 80
      targetPort: 8080

Key Components:

  • LoadBalancer: This type of Service exposes the application externally by using Minikube’s built-in load balancer.
  • Port Mapping: The port: 80 is the external port, while targetPort: 8080 maps to the internal port where the Go application is running.
  • Selector: The selector ensures that traffic is routed to Pods with the label app: go-app.

Deployment Workflow

  1. Apply the configurations:
kubectl apply -f k8s/
  1. Verify the deployment:
kubectl get deployments

NAME               READY   UP-TO-DATE   AVAILABLE   AGE
go-app-deployment   3/3     3            3           1m
  1. Access the service:
minikube service go-app-service --url
# Output: http://192.168.49.2:32456
  1. Test the endpoint:
curl http://192.168.49.2:32456
# Output: Welcome to DevOps Kubernetes Demo!

Essential Operations

Scaling

# Scale horizontally
kubectl scale deployment go-app-deployment --replicas=5

# Auto-scaling
kubectl autoscale deployment go-app-deployment --cpu-percent=50 --min=3 --max=10

Updates and Rollbacks

# Update image version
kubectl set image deployment/go-app-deployment go-app=yinebeb/k8s-app:1.1

# Monitor rollout
kubectl rollout status deployment/go-app-deployment

# Rollback to previous version
kubectl rollout undo deployment/go-app-deployment

Debugging Techniques

# Inspect pod events
kubectl describe pod go-app-deployment-xxxxx

# Follow logs in real-time
kubectl logs -f go-app-deployment-xxxxx

# Exec into container
kubectl exec -it go-app-deployment-xxxxx -- /bin/sh

Production-Ready Best Practices

  1. Configuration Management:
  • Use ConfigMaps for environment variables.
  • Store sensitive data in Kubernetes Secrets.
  • Implement namespaces for environment separation.
  • Set securityContext in PodSpec for enhanced security.
  1. Monitoring:
# Install metrics server
kubectl apply -f https://github.com/kubernetes-sigs/metrics-server/releases/latest/download/components.yaml

# View resource usage
kubectl top nodes

Next Steps

Expand your cluster with:

Conclusion

In this tutorial, you’ve learned how to:

  • Containerize a Go application using Docker.
  • Deploy the application on a local Kubernetes cluster using Minikube.
  • Implement essential Kubernetes operations like scaling, updates, and debugging.

The full code is available on GitHub.

Yinebeb Tariku

Backend Engineer | DevOps


By Yinebeb Tariku, 2025-03-14