Helm charts are a powerful way to define, install, and upgrade Kubernetes applications. By packaging all the Kubernetes manifests and parameters in a neat, reproducible format, Helm simplifies the deployment process for engineers and DevOps teams. In this article, weβll explore some best practices for writing effective Helm charts, introduce the Helm Schema plugin for validation, show how to include tests to ensure reliability, discuss helm-docs for automated documentation generation, and share an additional resource for testing and linting. Letβs get started! π
1. Getting Started with Helm Charts π
What Is Helm?
Helm is a package manager for Kubernetes, similar to how apt/yum/brew work for operating systems. It helps you:
- Package your Kubernetes resources into self-contained units called charts.
- Install and upgrade your applications with version tracking.
- Simplify complex deployments by parameterizing configurations in YAML.
Anatomy of a Helm Chart
A typical Helm chart includes the following structure:
my-awesome-chart/
βββ Chart.yaml
βββ values.yaml
βββ templates/
β   βββ deployment.yaml
β   βββ service.yaml
β   βββ tests/
β       βββ test-connection.yaml
βββ charts/
- Chart.yaml: Contains metadata about your chart, like name and version.
- values.yaml: Holds the default values your chart will use unless overridden by the user.
- 
templates/: Contains Kubernetes manifests that get rendered using the values specified in values.yaml.
- charts/: A directory to hold other charts your chart depends on (sub-charts).
- 
tests/: A folder inside templates/where you can define chart tests.
2. Best Practices for Writing Effective Helm Charts π
- Follow a Consistent Structure 
 Keeping a clean chart directory structure helps others (and your future self) navigate easily.
- 
Version Management - Update versioninChart.yamlaccording to SemVer principles.
- Keep your appVersion(inChart.yaml) aligned with the applicationβs version it deploys.
 
- Update 
- 
Leverage values.yaml- Store user-configurable defaults in values.yaml.
- Use clear naming to describe each parameter.
 
- Store user-configurable defaults in 
- 
Use Helpers and Templates - Create _helpers.tplfor small, reusable snippets (like labels or names).
- Standardize your resource naming (e.g., {{ include "my-awesome-chart.fullname" . }}).
 
- Create 
- 
Document Everything - Add a README.mdwith usage instructions, examples, and default values.
- Provide context for each parameter in values.yaml.
 
- Add a 
Following these tips ensures your charts stay consistent, maintainable, and user-friendly. π
3. Introducing the Helm Schema Plugin π
When you have multiple parameters and complex configurations, validating your values.yaml files becomes crucial. The Helm Schema plugin uses JSON Schema to validate your Helm chart values. This helps ensure that the values provided by end users conform to the expected data types, structures, and constraints.
Installation & Usage
- Install the plugin:
   helm plugin install https://github.com/dadav/helm-schema
- 
Add a values.schema.json: In your chartβs root, create a file namedvalues.schema.json. This file defines the schema of your values. For example:
   {
     "$schema": "http://json-schema.org/draft-07/schema#",
     "type": "object",
     "properties": {
       "replicaCount": {
         "type": "integer",
         "minimum": 1
       },
       "image": {
         "type": "object",
         "properties": {
           "repository": {
             "type": "string"
           },
           "tag": {
             "type": "string"
           }
         },
         "required": ["repository"]
       }
     },
     "required": ["replicaCount", "image"]
   }
- Validate your values:
   helm schema my-awesome-chart/values.schema.json -f values.yaml
This will check if values.yaml meets the constraints defined in values.schema.json. If something is off (e.g., missing required keys, using a string instead of an integer), it will throw a validation error.
Benefits of Using Helm Schema
- Early Catch π: Validate charts before deploying to production, catching misconfiguration early.
- Clear Documentation π‘: The JSON schema itself acts as documentation, helping end users understand required and optional fields.
- Better Collaboration π€: With the schema enforced, teams can rest assured that values used in different environments adhere to the same rules.
4. Including Tests in Your Helm Charts β
Testing is critical to verify that your Kubernetes resources deploy and function as expected. Helm offers a straightforward way to define and run tests within your chart. These tests are essentially Kubernetes jobs/pods that run checks to ensure your application is responding as intended.
How Helm Tests Work
- 
Create a Test File: In your chartβs templates/tests/directory, create a file (e.g.,test-connection.yaml).
- Add Test Annotations: Include special annotations recognized by Helm:
   apiVersion: v1
   kind: Pod
   metadata:
     name: "{{ include "my-awesome-chart.fullname" . }}-test-connection"
     labels:
       {{- include "my-awesome-chart.labels" . | nindent 4 }}
     annotations:
       "helm.sh/hook": test
       "helm.sh/hook-delete-policy": before-hook-creation
   spec:
     containers:
       - name: test-connection
         image: busybox
         command: ['sh', '-c', 'echo "Running connection test..."; sleep 1; exit 0']
     restartPolicy: Never
- 
helm.sh/hook:testtells Helm that this Pod is used for testing.
- 
helm.sh/hook-delete-policy:before-hook-creationcleans up old test pods before creating new ones.
- Run the Tests: After installing or upgrading your chart, simply run:
   helm test my-awesome-chart-release
Helm will execute the test pods, and if they all pass (i.e., containers exit with code 0), your chart tests succeed! π
Writing Meaningful Tests
- 
Functionality Tests: Verify that your application can handle basic requests (e.g., curlthe service endpoint).
- Readiness Tests: Check your applicationβs endpoints for readiness or health endpoints.
- Configuration Tests: If your chart has multiple configuration options, test them in ephemeral environments to ensure no regressions.
5. Auto-Generating Documentation with helm-docs π
Maintaining up-to-date documentation can be tricky as your chart evolves. Thatβs where helm-docs comes in. It automatically generates documentation for your Helm chart by reading metadata from your chart files (like Chart.yaml and values.yaml).
Installing helm-docs
brew install norwoodj/tap/helm-docs
(See the helm-docs repo for alternative installation methods.)
Using helm-docs
- 
Add a README.md.gotmplCreate a template for your documentationβusually named something likeREADME.md.gotmpl. You can define sections for chart metadata, usage, and parameters. For example:
   # {{ .Name }}
   {{ .Description }}
   ## Parameters
   | Name | Description | Value |
   ||-|-|
   {{- range .Values }}
   | {{ .Path }} | {{ .Description }} | {{ .Default | quote }} |
   {{- end }}
- Run helm-docs Navigate to your chart directory and run:
   helm-docs
This command will parse your values.yaml, Chart.yaml, and any comments or metadata to generate a README.md file based on your template.
- 
Commit & Share
Once README.mdis generated, commit it to your repository. Now, anyone viewing your chart can see the current parameters, default values, and usage instructions at a glance.
Benefits of helm-docs
- 
Automatic Updates β°: Whenever you update values.yamlorChart.yaml, re-runninghelm-docskeeps your README in sync.
- Consistent Format π: Enforces a uniform structure across multiple charts in your organization.
- Time Savings β²οΈ: Spend less time manually editing documentation and more time improving your charts!
6. Wrapping It Up π
By following these guidelines:
- Structure your charts consistently.
- Leverage the Helm Schema plugin to validate configurations using JSON Schema.
- Include tests to confirm your chart works as intended.
- Auto-generate documentation with helm-docs to keep docs current and accurate.
β¦youβll have robust, maintainable, and user-friendly Helm charts. Whether youβre deploying a tiny microservice or a huge enterprise application, these best practices will help you ship fast and confidently. β‘
Additional Resources
- Helm Official Docs
- Helm Schema Plugin
- helm-docs
- Further Reading: Ensuring Effective Helm Charts with Linting, Testing, and Diff Checks
If you have any questions or tips, feel free to share them in the comments below. Together, we can make Helm charts smoother to write, more reliable to deploy, and easier to maintain! π₯³
Happy Helming and clustering ! π³
 

 
    
Top comments (1)
Useful one !