layout: "../layouts/BlogPost.astro" title: "A basic Dockerfile and Intro to Kubernetes" slug: basic-dockerfile-and-kubernetes description: "" added: "Mar 12 2023" tags: [devops]
Docker is the most popular container technology tool. It is a tool used for building, running, and deploying containerized applications. An application’s code, libraries, tools, dependencies, and other files are all contained in a Docker image; when a user executes an image, it turns into a container.
Docker Engine is the core product of Docker, including its daemon (dockerd) as well as its CLI (docker).
The build context is the set of files and directories that are accessible to the Docker engine when building an image. When you run a docker build
command, Docker sends the content of the specified context directory (and its subdirectories) to the Docker daemon. This context forms the scope within which the COPY
and ADD
instructions operate.
Docker-compose is a tool that accepts a YAML file that specifies a cross container application and automates the creation and removal of all those containers without the need to write several docker commands for each one.
- An image is a logical grouping of layers plus metadata about what to do when creating a container and how to assemble the layers. Part of that metadata is that each layer knows its parent's ID. When you docker run an image, docker creates a container: it unpacks all the layers in the correct order, creating a new "root" file system separate from the host.
- A layer is a change on an image, or an intermediate image. Every command you specify (FROM, RUN, COPY, etc.) in your Dockerfile causes the previous image to change, thus creating a new layer. If you make a change to your Dockerfile, docker will rebuild only the layer that was changed and the ones after that. This is called layer caching.
This is a valid Dockerfile for a NodeJS application. But we can improve it a lot.
FROM node
COPY . .
RUN npm install
CMD [ "node", "index.js" ]
FROM node
, you always build the latest version of the Docker image that has been built by the Node.js Docker working group. The shortcoming of building based on the default node image is that docker image builds are inconsistent. Also, the node Docker image is based on a full-fledged operating system, full of libraries and tools that you may or may not need to run your Node.js application.# Pin specific version and reduce image size
FROM node:19.7.0-bullseye-slim
FROM node:19.7.0-bullseye-slim
# Specify working directory other than /
WORKDIR /usr/src/app
package.json
and package-lock.json
files separate from the source code. Docker images are cached at each layer. When building an image, Docker steps through the instructions in the Dockerfile, executing each in the order specified. As each instruction is examined, Docker looks for an existing image in its cache that it can reuse, rather than creating a new, duplicate image. This way, RUN npm install
is only re-executed if the package.json
or package-lock.json
files have changed.For the
ADD
andCOPY
instructions, the contents of each file in the image are examined and a checksum is calculated for each file. Aside from theADD
andCOPY
commands, just the command string itself is used to find a match. Once the cache is invalidated, all subsequent Dockerfile commands generate new images and the cache isn’t used.In addition to copying local files and directories from the build context (which
COPY
supports),ADD
handles URL references and extract archives. For most use cases,COPY
is the better choice due to its simplicity and security.
FROM node:19.7.0-bullseye-slim
WORKDIR /usr/src/app
# Copy only files required to install dependencies
COPY package*.json ./
RUN npm install
# Copy remaining source code AFTER installing dependencies.
COPY ./src/ .
CMD [ "node", "index.js" ]
node
user for such purpose. FROM node:19.7.0-bullseye-slim
WORKDIR /usr/src/app
COPY package*.json ./
RUN npm install
# Use non-root user
# Use --chown on COPY commands to set file permissions
USER node
COPY --chown=node:node ./src/ .
CMD [ "node", "index.js" ]
NODE_ENV=production
environment changes how certain utilities behave, increasing performance. Using npm ci
instead of npm install
ensures a reproduceable build, and --only=production
prevents installing needed dev dependencies.By default,
npm install
will install all modules listed as dependencies inpackage.json
. With the--production
flag (or when theNODE_ENV
environment variable is set toproduction
), npm will not install modules listed indevDependencies
. To install all modules listed in bothdependencies
anddevDependencies
whenNODE_ENV
is set toproduction
, you can use--production=false
.
FROM node:19.7.0-bullseye-slim
# Set NODE_ENV
ENV NODE_ENV production
WORKDIR /usr/src/app
COPY package*.json ./
# Only install production dependencies
RUN npm ci --only=production
USER node
COPY --chown=node:node ./src/ .
CMD [ "node", "index.js" ]
FROM node:19.7.0-bullseye-slim
ENV NODE_ENV production
WORKDIR /usr/src/app
COPY package*.json ./
RUN npm ci --only=production
USER node
COPY --chown=node:node ./src/ .
# Indicate expected port
EXPOSE 3000
CMD [ "node", "index.js" ]
.dockerignore
file to ensure you are not COPYing unnecessary files into the container image. This helps speed up Docker builds because it ignores files that would have otherwise caused a cache invalidation.node_modules
.env
/build
/coverage
/.vscode
prisma/sqlite.db
prisma/sqlite.db-journal
Dockerfile
.dockerignore
.git
Kaniko is a tool that enables building container images from a Dockerfile inside a Kubernetes cluster (runs in a containerized environment like a CI/CD pipeline) without requiring a Docker daemon. Kaniko builds container images by parsing the Dockerfile and executing each command within a container isolated from the host environment. Instead of using a Docker daemon, Kaniko simulates the Docker builder by providing its own implementations of Docker commands like ADD, COPY, RUN, etc.
Most of the time, we COPY files from the host to the container image. However, you can also COPY files straight from other images COPY --from=<image>
. Every FROM instruction defines a stage.
COPY --from
a stage defined below the current stage.AS
aliases are optional - if you don't name your stages, they still can be referred to by their sequence number.# https://labs.iximiuz.com/tutorials/docker-multi-stage-builds
# Build stage
FROM node:lts-slim AS build
WORKDIR /app
COPY package*.json .
RUN npm ci
COPY . .
RUN npm run build
# Runtime stage
FROM nginx:alpine
WORKDIR /usr/share/nginx/html
RUN rm -rf ./*
COPY --from=build /app/dist .
Let's say you have an app which you have containerized (Monoliths were broken into microservices). So you run a bunch of containers to serve your app to users. But how do you manage these different containers? This is where K8s comes to the rescue. Kubernetes is a container orchestration tool for managing production-ready containerized workloads and services that allows for declarative setup as well as automation.
Pods: A pod is a collection of one or more containers with common storage and network resources, as well as a set of rules for how the containers should be run. It is the smallest deployable unit that Kubernetes allows you to create and manage. Each pod has a unique IP address assigned to it. While you can't ping this IP address from outside the cluster, you can ping from within your Kubernetes cluster.
Nodes: The components (physical computers or virtual machines) that run these applications are known as worker nodes. Worker nodes carry out the tasks that the master node has assigned to them.
Cluster: A cluster is a collection of nodes that are used to run containerized applications. A Kubernetes cluster is made up of a set of master nodes and a number of worker nodes. (Minikube
is highly suggested for new users who want to start building a Kubernetes cluster.)
Deployments: You would never create individual pods to serve your application. Why? Because that would mean if the traffic suddenly increases, your Pod will run out of resources, and you will face downtime. Instead, you create a bunch of identical pods. If one of these pods goes down or the traffic increases and you need more pods, Kubernetes will bring up more pods. The deployment controller does this management of multiple similar pods when you create a Deployment object.
Services: A Kubernetes Service is an abstraction layer that describes a logical group of Pods and allows for external traffic exposure, load balancing, and service discovery for such Pods.
Ingress Controller: Kubernetes Ingress is an API object that manages external users’ access to services in a Kubernetes cluster by providing routing rules. This external request is frequently made using HTTPS/HTTP. You can easily set up rules for traffic routing with Ingress without having to create a bunch of Load Balancers or expose each service on the node.
Learning resources:
- The Illustrated Children's Guide to Kubernetes: https://www.cncf.io/phippy/the-childrens-illustrated-guide-to-kubernetes/
- Kubernetes Essentials IBM lightboarding video: https://www.youtube.com/playlist?list=PLOspHqNVtKABAVX4azqPIu6UfsPzSu2YN
Let's look at an example. The Kubernetes configuration file (deployment.yaml
) contains two parts because it defines two separate Kubernetes resources. Deployment manages the application instances (pods). Service manages network access to those instances.
apiVersion: apps/v1
kind: Deployment
metadata:
name: nodejs-hello-world
spec:
# how many pods
replicas: 2
# which Pods to manage
selector:
matchLabels:
app: nodejs-hello-world
# describe the pod that will be created
template:
metadata:
labels:
app: nodejs-hello-world
spec:
containers:
- name: nodejs-hello-world
image: your-docker-username/nodejs-hello-world:latest
ports:
- containerPort: 3000
---
apiVersion: v1
kind: Service
metadata:
name: nodejs-hello-world-service
spec:
type: LoadBalancer
ports:
- port: 80
targetPort: 3000
selector:
app: nodejs-hello-world
Deployment manages the desired state of your application. Service provides a stable network endpoint to access those containers. The key to their interaction is the label selector. The Deployment defines labels for its Pods in the template section, and the Service uses a selector to choose which Pods to route traffic to.
Example Workflow: a. Deployment creates Pods with specific labels. b. Service is created with a selector matching those labels. c. Clients send requests to the Service. d. Service routes each request to one of the Pods managed by the Deployment. e. If Pods are added/removed, the Service's routing table updates automatically.
Horizontal Pod Autoscaling (HPA) is a crucial feature in Kubernetes that enables automatic adjustment of the number of running pods based on observed CPU or memory utilization. The key components of HPA:
This is how Kubernetes HPA work, the metric server sends metrics of resource consumption to HPA and based on the rules you have defined in HPA manifest file, this object decides to scale up or down the pods. For example, the below HPA configuration will monitor the CPU utilization of the my-app-deployment
deployment. It will ensure that the number of replicas is scaled between 1 and 3 based on the average CPU utilization, maintaining it around 50%.
apiVersion: autoscaling/v2beta2
kind: HorizontalPodAutoscaler
metadata:
name: my-app-hpa
spec:
scaleTargetRef:
apiVersion: apps/v1
kind: Deployment
name: my-app-deployment
minReplicas: 1
maxReplicas: 3
metrics:
- type: Resource
resource:
name: cpu
target:
type: Utilization
averageUtilization: 50
The process starts with terraform init
(Write the Blueprint), Terraform downloads all necessary providers and modules - think of it as collecting all the right building blocks before starting construction.
Next comes terraform plan
(Check the Layout). It examines what currently exists in your infrastructure and compares it with what you want to build, creating a detailed execution plan.
The real action happens with terraform apply
(Build the Playground). Terraform will create new resources, modify existing ones, or remove what's no longer needed. Throughout this process, it keeps track of everything in a state file (terraform.tfstate
), which is like having a perfect memory of how everything was built.
Your infrastructure blueprint lives in configuration files (typically main.tf
or terraform.tf
). These files are like the rulebook that tells Terraform exactly what to build and how to build it.
terraform.tf
is your wishes (what you want)terraform.tfstate
is reality (what actually exists)This is why when you run terraform plan
, Terraform compares these two files to determine what changes need to be made to turn your wishes (terraform.tf
) into reality (terraform.tfstate
).
"Error: Saved plan is stale" may occur in Terraform when the actual infrastructure state has changed between when you created the plan and when you try to apply that saved plan. For example, someone else made changes to the same infrastructure while you had your plan file waiting, or another automation process (like CI/CD) modified the infrastructure.