- go
kubectl
logged into a Kubernetes cluster.- Each scaler test might define additional requirements. For example,
azure_queue_test.go
requires an env varTF_AZURE_STORAGE_CONNECTION_STRING
Make sure that you are in keda/tests
directory.
go test -v -tags e2e ./utils/setup_test.go # Only needs to be run once.
go test -v -tags e2e ./scalers/...
go test -v -tags e2e ./utils/cleanup_test.go # Skip if you want to keep testing.
Note As default,
go test -v -tags e2e ./utils/setup_test.go
deploys KEDA from upstream's main branch, if you are adding an e2e test to your own code, this is not useful as you need your own version. Like for building and deploying your own image, you can use the Makefile envrionment variables to customize KEDA deployment. eg.IMAGE_REGISTRY=docker.io IMAGE_REPO=johndoe go test -v -tags e2e ./utils/setup_test.go
go test -v -tags e2e ./scalers/azure/azure_queue/azure_queue_test.go # Assumes that setup has been run before
Note On macOS you might need to set following environment variable in order to run the tests:
GOOS="darwin"
eg.
GOOS="darwin" go test -v -tags e2e ...
Refer to this for more information about testing in Go
.
The test script will run in 3 phases:
-
Setup: This is done in
utils/setup_test.go
. If you're adding any tests to the KEDA install / setup process, you need to add it to this file.utils/setup_test.go
deploys KEDA to thekeda
namespace, updates the image tokedacore/keda:main
.After
utils/setup_test.go
is done, we expect to have KEDA setup in thekeda
namespace. -
Tests: Currently there are only scaler tests in
tests/scalers/
. Each test is kept in its own package. This is to prevent conflicting variable declarations for commonly used variables (ex -testNamespace
). Individual scaler tests are run in parallel, but tests within a file can be run in parallel or in series. More about tests below. -
Global cleanup: This is done in
utils/cleanup_test.go
. It cleans up all the resources created inutils/setup_test.go
.
Note Your IDE might give you errors upon trying to import certain packages that use the
e2e
build tag. To overcome this, you will need to specify in your IDE settings to use thee2e
build tag.As an example, in VSCode, it can be achieved by creating a
.vscode
directory within the project directory (if not present) and creating asettings.json
file in that directory (or updating it) with the following content:{ "go.buildFlags": [ "-tags=e2e" ], "go.testTags": "e2e", }
- Tests are written using
Go
's defaulttesting
framework, andtestify
. - Each e2e test should be in its own package, ex -
scalers/azure/azure_queue/azure_queue_test.go
, orscalers/kafka/kafka_test.go
, etc - Each test file is expected to do its own setup and clean for resources.
Test are split in different folders based on what it's testing:
internals
: KEDA internals (ie: HPA related stuff).scalers
: Anything related with scalers.secret-providers
: Anything related with how KEDA gets the secrets for working (ie: pod-identity, vault, etc).sequential
: Tests that can't be run in parallel with other tests (eg. the test modifies KEDA installation or configuration, etc.).
- Even though the cleaning of resources is expected inside each e2e test file, all test namespaces (namespaces with label type=e2e) are cleaned up to ensure not having dangling resources after global e2e execution finishes. To not break this behaviour, it's mandatory to use the
CreateNamespace(t *testing.T, kc *kubernetes.Clientset, nsName string)
function fromhelper.go
, instead of creating them manually.
Go
code can panic when performing forbidden operations such as accessing a nil pointer, or from code that manually callspanic()
. A function thatpanics
passes thepanic
up the stack until program execution stops or it is recovered usingrecover()
(somewhat similar totry-catch
in other languages).- If a test panics, and is not recovered,
Go
will stop running the file, and no further tests will be run. This can cause issues with clean up of resources.- Ensure that you are not executing code that can lead to
panics
. If you think that there's a chance the test might panic, callrecover()
, and cleanup the created resources.- Read this article for understanding more about
panic
andrecover
inGo
.
// +build e2e
// ^ This is necessary to ensure the tests don't get run in the GitHub workflow.
import (
"context"
"fmt"
"os"
"testing"
"github.com/joho/godotenv"
"github.com/stretchr/testify/require"
// Other required imports
...
...
. "github.com/kedacore/keda/v2/tests/helper" // For helper methods
)
var _ = godotenv.Load("../../.env") // For loading env variables from .env
const (
testName = "redis-test"
// Other constants required for your test
...
...
)
var (
testNamespace = fmt.Sprintf("%s-ns", testName)
// Other variables required for your test
...
...
)
// YAML templates for your Kubernetes resources
const (
deploymentTemplate = `
apiVersion: apps/v1
kind: Deployment
metadata:
name: test-deployment
labels:
app: test-deployment
spec:
replicas: 0
...
...
`
...
...
)
type templateData struct {
// Fields used in your Kubernetes YAML templates
...
...
}
func TestScaler(t *testing.T) {
setupTest(t)
kc := GetKubernetesClient(t)
data, templates := getTemplateData()
CreateKubernetesResources(t, kc, testNamespace, data, templates)
testScaleOut(t)
// Ensure that this gets run. Using defer is necessary
DeleteKubernetesResources(t, testNamespace, data, templates)
cleanupTest(t)
}
func setupTest(t *testing.T) {
t.Log("--- setting up ---")
_, err := ParseCommand("which helm").Output()
assert.NoErrorf(t, err, "redis test requires helm - %s", err)
_, err := ParseCommand("helm install redis .....").Output()
assert.NoErrorf(t, err, "error while installing redis - %s", err)
}
func getTemplateData() (templateData, []Template) {
return templateData{
// Populate fields required in YAML templates
...
...
}, []Template{
{Name: "deploymentTemplate", Config: deploymentTemplate},
{Name: "scaledObjectTemplate", Config: scaledObjectTemplate},
}
}
func testScaleOut(t *testing.T, kc *kubernetes.Clientset) {
t.Log("--- testing scale out ---")
// Use Go Redis Library to add stuff to redis to trigger scale out.
...
...
// Sleep / poll for replica count using helper method.
require.True(t, WaitForDeploymentReplicaReadyCount(t, kc, deploymentName, testNamespace, 10, 60, 1),
"replica count should be 10 after 1 minute")
}
func cleanupTest(t *testing.T) {
t.Log("--- cleaning up ---")
// Cleanup external resources (such as Blob Storage Container, RabbitMQ queue, Redis in this case)
...
...
}
- You can see
azure_queue_test.go
for a full example. - All tests must have the
// +build e2e
build tag. - Refer
helper.go
for various helper methods available to use in your tests. - Prefer using helper methods or
k8s
libraries inGo
over manually executingshell
commands. Only if the task you're trying to achieve is too complicated or tedious using above, useParseCommand
orExecuteCommand
fromhelper.go
for executing shell commands. - Ensure, ensure, ensure that you're cleaning up resources.
- You can use
VS Code
for easily debugging your tests.
For improving the reliability of e2e test, we try to have all resources under kedacore control using kedacore docker images rather end-users registry images (without official support) and cloud resources in kedacore accounts.
In order to manage these e2e resources, there are 2 different repositories:
- kedacore/test-tools for docker images management.
- kedacore/testing-infrastructure for cloud resources.
If any change is needed in e2e test infrastructure, please open a PR in those repositories and use kedacore resources for e2e tests.
As e2e tests are executed using real infrastructure we don't execute them directly on the PRs. A member of @keda-e2e-test-executors team has to write a comment in the PR where the e2e tests should be executed:
/run-e2e
This comment will trigger a workflow that generates the docker images using the last commit (at the moment of the comment) and tests them. The commit will have an extra check (which can block the PR) and the member message will be updated with a link to the workflow execution.
There are cases where it isn't needed the whole e2e test suite. In order to reduce the time and required resources in those cases, the command can be appended with a regex which matches the desired e2e tests:
/run-e2e desired-regex
# e.g:
/run-e2e azure
This regex will be evaluated by the golang script, so it has to be written in a golang compliance way.
This new check is mandatory on every PR, the CI checks expect to execute the e2e tests. As not always the e2e tests are useful (for instance, when the changes apply only to documentation), it can be skipped labeling the PR with skip-e2e