Application Development
Best practices for application development on Kubernetes.
Health checks
Kubernetes offers two mechanisms to track the lifecycle of your containers and Pods: liveness and readiness probes.
The readiness probe determines when a container can receive traffic.
The kubelet executes the checks and decides if the app can receive traffic or not.
The liveness probe determines when a container should be restarted.
The kubelet executes the check and decides if the container should be restarted.
Resources:
- The official Kubernetes documentation offers some practical advice on how to configure Liveness, Readiness and Startup Probes.
- Liveness probes are dangerous has some information on how to set (or not) dependencies in your readiness probes.
Containers have Readiness probes
Please note that there's no default value for readiness and liveness.
If you don't set the readiness probe, the kubelet assumes that the app is ready to receive traffic as soon as the container starts.
If the container takes 2 minutes to start, all the requests to it will fail for those 2 minutes.
Containers crash when there's a fatal error
If the application reaches an unrecoverable error, you should let it crash.
Examples of such unrecoverable errors are:
- an uncaught exception
- a typo in the code (for dynamic languages)
- unable to load a header or dependency
Please note that you should not signal a failing Liveness probe.
Instead, you should immediately exit the process and let the kubelet restart the container.
Configure a passive Liveness probe
The Liveness probe is designed to restart your container when it's stuck.
Consider the following scenario: if your application is processing an infinite loop, there's no way to exit or ask for help.
When the process is consuming 100% CPU, it won't have time to reply to the (other) Readiness probe checks, and it will be eventually removed from the Service.
However, the Pod is still registered as an active replica for the current Deployment.
If you don't have a Liveness probe, it stays Running but detached from the Service.
In other words, not only is the process not serving any requests, but it is also consuming resources.
What should you do?
- Expose an endpoint from your app
- The endpoint always replies with a success response
- Consume the endpoint from the Liveness probe
Please note that you should not use the Liveness probe to handle fatal errors in your app and request Kubernetes to restart the app.
Instead, you should let the app crash.
The Liveness probe should be used as a recovery mechanism only in case the process is not responsive.
Liveness probes values aren't the same as the Readiness
When Liveness and Readiness probes are pointing to the same endpoint, the effects of the probes are combined.
When the app signals that it's not ready or live, the kubelet detaches the container from the Service and delete it at the same time.
You might notice dropping connections because the container does not have enough time to drain the current connections or process the incoming ones.
You can dig deeper in the following article that discussed graceful shutdown.
Apps are independent
You might be tempted to signal the readiness of your app only if all of the dependencies such as databases or backend API are also ready.
If the app connects to a database, you might think that returning a failing readiness probe until the database is ready is a good idea — it is not.
Consider the following scenario: you have one front-end app that depends on a backend API.
If the API is flaky (e.g. it's unavailable from time to time due to a bug), the readiness probe fails, and the dependent readiness in the front-end app fail as well.
And you have downtime.
More in general, a failure in a dependency downstream could propagate to all apps upstream and eventually, bring down your front-end facing layer as well.
The Readiness probes are independent
The readiness probe doesn't include dependencies to services such as:
- databases
- database migrations
- APIs
- third party services
You can explore what happens when there're dependencies in the readiness probes in this essay.
The app retries connecting to dependent services
When the app starts, it shouldn't crash because a dependency such as a database isn't ready.
Instead, the app should keep retrying to connect to the database until it succeeds.
Kubernetes expects that application components can be started in any order.
When you make sure that your app can reconnect to a dependency such as a database you know you can deliver a more robust and resilient service.
Graceful shutdown
When a Pod is deleted, you don't want to terminate all connections abruptly.
Instead, you should wait for the existing connection to drain and stop processing new ones.
Please notice that, when a Pod is terminated, the endpoints for that Pod are removed from the Service.
However, it might take some time before component such as kube-proxy or the Ingress controller is notified of the change.
You can find a detail explanation on how graceful shutdown works in handling client requests correctly with Kubernetes.
The correct graceful shutdown sequence is:
- upon receiving SIGTERM
- the server stops accepting new connections
- completes all active requests
- then immediately kills all keepalive connections and
- the process exits
You can test that your app gracefully shuts down with this tool: kube-sigterm-test.
The app doesn't shut down on SIGTERM, but it gracefully terminates connections
It might take some time before a component such as kube-proxy or the Ingress controller is notified of the endpoint changes.
Hence, traffic might still flow to the Pod despite it being marked as terminated.
The app should stop accepting new requests on all remaining connections, and close these once the outgoing queue is drained.
If you need a refresher on how endpoints are propagated in your cluster, read this article on how to handle client requests properly.
The app still processes incoming requests in the grace period
You might want to consider using the container lifecycle events such as the preStop handler to customize what happened before a Pod is deleted.
The CMD in the Dockerfile forwards the SIGTERM to the process
You can be notified when the Pod is about to be terminated by capturing the SIGTERM signal in your app.
You should also pay attention to forwarding the signal to the right process in your container.
Close all idle keep-alive sockets
If the calling app is not closing the TCP connection (e.g. using TCP keep-alive or a connection pool) it will connect to one Pod and not use the other Pods in that Service.
But what happens when a Pod is deleted?
Ideally, the request should go to another Pod.
However, the calling app has a long-lived connection open with the Pod that is about to be terminated, and it will keep using it.
On the other hand, you shouldn't abruptly terminate long-lived connections.
Instead, you should terminate them before shutting down the app.
You can read about keep-alive connections on this article about gracefully shutting down a Nodejs HTTP server.
Fault tolerance
Your cluster nodes could disappear at any time for several reasons:
- a hardware failure of the physical machine
- cloud provider or hypervisor failure
- a kernel panic
Pods deployed in those nodes are lost too.
Also, there are other scenarios where Pods could be deleted:
- directly deleting a pod (accident)
- draining a node
- removing a pod from a node to permit another Pod to fit on that node
Any of the above scenarios could affect the availability of your app and potentially cause downtime.
You should protect from a scenario where all of your Pods are made unavailable, and you aren't able to serve live traffic.
Run more than one replica for your Deployment
Never run a single Pod individually.
Instead consider deploying your Pod as part of a Deployment, DaemonSet, ReplicaSet or StatefulSet.
Avoid Pods being placed into a single node
Even if you run several copies of your Pods, there are no guarantees that losing a node won't take down your service.
Consider the following scenario: you have 11 replicas on a single cluster node.
If the node is made unavailable, the 11 replicas are lost, and you have downtime.
The inter-pod affinity and anti-affinity documentation describe how you can you could change your Pod to be located (or not) in the same node.
Set Pod disruption budgets
When a node is drained, all the Pods on that node are deleted and rescheduled.
But what if you are under heavy load and you can't lose more than 50% of your Pods?
The drain event could affect your availability.
To protect the Deployments from unexpected events that could take down several Pods at the same time, you can define Pod Disruption Budget.
Imagine saying: "Kubernetes, please make sure that there are always at least 5 Pods running for my app".
Kubernetes will prevent the drain event if the final state results in less than 5 Pods for that Deployment.
The official documentation is an excellent place to start to understand Pod Disruption Budgets.
Resources utilisation
You can think about the Kubernetes as a skilled Tetris player.
Docker containers are the blocks; servers are the boards, and the scheduler is the player.
To maximise the efficiency of the scheduler, you should share with Kubernetes details such as resource utilisation, workload priorities and overheads.
Set memory limits and requests for all containers
Resource limits are used to constrain how much CPU and memory your containers can utilise and are set using the resources property of a containerSpec.
The scheduler uses those as one of metrics to decide which node is best suited for the current Pod.
A container without a memory limit has memory utilisation of zero — according to the scheduler.
An unlimited number of Pods if schedulable on any nodes leading to resource overcommitment and potential node (and kubelet) crashes.
The same applies to CPU limits.
But should you always set limits and requests for memory and CPU?
Yes and no.
If your process goes over the memory limit, the process is terminated.
Since CPU is a compressible resource, if your container goes over the limit, the process is throttled.
Even if it could have used some of the CPU that was available at that moment.
If you wish to dig deeper into CPU and memory limits you should check out the following articles:
- Understanding resource limits in kubernetes: memory
- Understanding resource limits in kubernetes: cpu time
Please note that if you are not sure what should be the right CPU or memory limit, you can use the Vertical Pod Autoscaler in Kubernetes with the recommendation mode turned on. The autoscaler profiles your app and recommends limits for it.
Set CPU request to 1 CPU or below
Unless you have computational intensive jobs, it is recommended to set the request to 1 CPU or below.
Disable CPU limits — unless you have a good use case
CPU is measured as CPU timeunits per timeunit.
cpu: 1 means 1 CPU second per second.
If you have 1 thread, you can't consume more than 1 CPU second per second.
If you have 2 threads, you can consume 1 CPU second in 0.5 seconds.
8 threads can consume 1 CPU second in 0.125 seconds.
After that, your process is throttled.
If you're not sure about what's the best settings for your app, it's better not to set the CPU limits.
If you wish to learn more, this article digs deeper in CPU requests and limits.
The namespace has a LimitRange
If you think you might forget to set memory and CPU limits, you should consider using a LimitRange object to define the standard size for a container deployed in the current namespace.
The official documentation about LimitRange is an excellent place to start.
Set an appropriate Quality of Service (QoS) for Pods
When a node goes into an overcommitted state (i.e. using too many resources) Kubernetes tries to evict some of the Pod in that Node.
Kubernetes ranks and evicts the Pods according to a well-defined logic.
You can find more about configuring the quality of service for your Pods on the official documentation.
Tagging resources
Labels are the mechanism you use to organize Kubernetes objects.
A label is a key-value pair without any pre-defined meaning.
They can be applied to all resources in your cluster from Pods to Service, Ingress manifests, Endpoints, etc.
You can use labels to categorize resources by purpose, owner, environment, or other criteria.
So you could choose a label to tag a Pod in an environment such as "this pod is running in production" or "the payment team owns that Deployment".
You can also omit labels altogether.
However, you might want to consider using labels to cover the following categories:
- technical labels such as the environment
- labels for automation
- label related to your business such as cost-centre allocation
- label related to security such as compliance requirements
Resources have technical labels defined
You could tag your Pods with:
- name, the name of the application such "User API"
- instance, a unique name identifying the instance of an application (you could use the container image tag)
- version, the current version of the appl (an incremental counter)
- component, the component within the architecture such as "API" or "database"
- part-of, the name of a higher-level application this one is part of such as "payment gateway"
- managed-by, the tool being used to manage the operation of an application such as "kubectl" or "Helm"
Here's an example on how you could use such labels in a Deployment:
Those labels are recommended by the official documentation.
Please not that you're recommended to tag all resources.
Resources have business labels defined
You could tag your Pods with:
- owner, used to identify who is responsible for the resource
- project, used to determine the project that the resource belongs to
- business-unit, used to identify the cost centre or business unit associated with a resource; typically for cost allocation and tracking
Here's an example on how you could use such labels in a Deployment:
You can explore labels and tagging for resources on the AWS tagging strategy page.
The article isn't specific to Kubernetes but explores some of the most common strategies for tagging resources.
Please not that you're recommended to tag all resources.
Resources have security labels defined
You could tag your Pods with:
- confidentiality, an identifier for the specific data-confidentiality level a resource supports
- compliance, an identifier for workloads designed to adhere to specific compliance requirements
Here's an example on how you could use such labels in a Deployment:
You can explore label and tagging for resources on the AWS tagging strategy page.
The article isn't specific to Kubernetes but explores some of the most common strategies for tagging resources.
Please not that you're recommended to tag all resources.
Logging
Application logs can help you understand what is happening inside your app.
The logs are particularly useful for debugging problems and monitoring app activity.
The application logs to stdout and stderr
There are two logging strategies: passive and active.
Apps that use passive logging are unaware of the logging infrastructure and log messages to standard outputs.
This best practice is part of the twelve-factor app.
In active logging, the app makes network connections to intermediate aggregators, sends data to third-party logging services, or writes directly to a database or index.
Active logging is considered an antipattern, and it should be avoided.
Avoid sidecars for logging (if you can)
If you wish to apply log transformations to an application with a non-standard log event model, you may want to use a sidecar container.
With a sidecar container, you can normalise the log entries before they are shipped elsewhere.
For example, you may want to transform Apache logs into Logstash JSON format before shipping it to the logging infrastructure.
However, if you have control over the application, you could output the right format, to begin with.
You could save on running an extra container for each Pod in your cluster.
Scaling
Containers do not store any state in their local filesystem
Containers have a local filesystem and you might be tempted to use it for persisting data.
However, storing persistent data in a container's local filesystem prevents the encompassing Pod from being scaled horizontally (that is, by adding or removing replicas of the Pod).
This is because, by using the local filesystem, each container maintains its own "state", which means that the states of Pod replicas may diverge over time. This results in inconsistent behaviour from the user's point of view (for example, a specific piece of user information is available when the request hits one Pod, but not when the request hits another Pod).
Instead, any persistent information should be saved at a central place outside the Pods. For example, in a PersistentVolume in the cluster, or even better in some storage service outside the cluster.
Use the Horizontal Pod Autoscaler for apps with variable usage patterns
The Horizontal Pod Autoscaler (HPA) is a built-in Kubernetes feature that monitors your application and automatically adds or removes Pod replicas based on the current usage.
Configuring the HPA allows your app to stay available and responsive under any traffic conditions, including unexpected spikes.
To configure the HPA to autoscale your app, you have to create a HorizontalPodAutoscaler resource, which defines what metric to monitor for your app.
The HPA can monitor either built-in resource metric (CPU and memory usage of your Pods) or custom metrics. In the case of custom metrics, you are also responsible for collecting and exposing these metrics, which you can do, for example, with Prometheus and the Prometheus Adapter.
Don't use the Vertical Pod Autoscaler while it's still in beta
Analogous to the Horizontal Pod Autoscaler (HPA), there exists the Vertical Pod Autoscaler (VPA).
The VPA can automatically adapt the resource requests and limits of your Pods so that when a Pod needs more resources, it can get them (increasing/decreasing the resources of a single Pod is called vertical scaling, as opposed to horizontal scaling, which means increasing/decreasing the number of replicas of a Pod).
This can be useful for scaling applications that can't be scaled horizontally.
However, the VPA is curently in beta and it has some known limitations (for example, scaling a Pod by changing its resource requirements, requires the Pod to be killed and restarted).
Given these limitations, and the fact that most applications on Kubernetes can be scaled horizontally anyway, it is recommended to not use the VPA in production (at least until there is a stable version).
Use the Cluster Autoscaler if you have highly varying workloads
The Cluster Autoscaler is another type of "autoscaler" (besides the Horizontal Pod Autoscaler and Vertical Pod Autoscaler).
The Cluster Autoscaler can automatically scale the size of your cluster by adding or removing worker nodes.
A scale-up operation happens when a Pod fails to be scheduled because of insufficient resources on the existing worker nodes. In this case, the Cluster Autoscaler creates a new worker node, so that the Pod can be scheduled. Similarly, when the utilisation of the existing worker nodes is low, the Cluster Autoscaler can scale down by evicting all the workloads from one of the worker nodes and removing it.
Using the Cluster Autoscaler makes sense for highly variable workloads, for example, when the number of Pods may multiply in a short time, and then go back to the previous value. In such scenarios, the Cluster Autoscaler allows you to meet the demand spikes without wasting resources by overprovisioning worker nodes.
However, if your workloads do not vary so much, it may not be worth to set up the Cluster Autoscaler, as it may never be triggered. If your workloads grow slowly and monotonically, it may be enough to monitor the utilisations of your existing worker nodes and add an additional worker node manually when they reach a critical value.
Configuration and secrets
Externalise all configuration
Configuration should be maintained outside the application code.
This has several benefits. First, changing the configuration does not require recompiling the application. Second, the configuration can be updated when the application is running. Third, the same code can be used in different environments.
In Kubernetes, the configuration can be saved in ConfigMaps, which can then be mounted into containers as volumes are passed in as environment variables.
Save only non-sensitive configuration in ConfigMaps. For sensitive information (such as credentials), use the Secret resource.
Mount Secrets as volumes, not enviroment variables
The content of Secret resources should be mounted into containers as volumes rather than passed in as environment variables.
This is to prevent that the secret values appear in the command that was used to start the container, which may be inspected by individuals that shouldn't have access to the secret values.