Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

🏃[e2e] add ClusterProvider and ClusterProxy #2911

Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
35 changes: 35 additions & 0 deletions test/framework/bootstrap/interfaces.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,35 @@
/*
Copyright 2020 The Kubernetes Authors.

Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/

package bootstrap

import "context"

// ClusterProvider defines the behavior of a type that is responsible for provisioning and managing a Kubernetes cluster.
type ClusterProvider interface {
// Create a Kubernetes cluster.
// Generally to be used in the BeforeSuite function to create a Kubernetes cluster to be shared between tests.
Create(context.Context)

// GetKubeconfigPath returns the path to the kubeconfig file to be used to access the Kubernetes cluster.
GetKubeconfigPath() string

// Dispose will completely clean up the provisioned cluster.
// This should be implemented as a synchronous function.
// Generally to be used in the AfterSuite function if a Kubernetes cluster is shared between tests.
// Should try to clean everything up and report any dangling artifacts that needs manual intervention.
Dispose(context.Context)
}
138 changes: 138 additions & 0 deletions test/framework/bootstrap/kind_provider.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,138 @@
/*
Copyright 2020 The Kubernetes Authors.

Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/

package bootstrap

import (
"context"
"fmt"
"io/ioutil"
"os"

. "github.com/onsi/ginkgo"
. "github.com/onsi/gomega"

kindv1 "sigs.k8s.io/kind/pkg/apis/config/v1alpha4"
kind "sigs.k8s.io/kind/pkg/cluster"
)

// KindClusterOption is a NewKindClusterProvider option
type KindClusterOption interface {
apply(*kindClusterProvider)
}

type kindClusterOptionAdapter func(*kindClusterProvider)

func (adapter kindClusterOptionAdapter) apply(kindClusterProvider *kindClusterProvider) {
adapter(kindClusterProvider)
}

// WithDockerSockMount implements a New Option that instruct the kindClusterProvider to mount /var/run/docker.sock into
// the new kind cluster.
func WithDockerSockMount() KindClusterOption {
return kindClusterOptionAdapter(func(k *kindClusterProvider) {
k.withDockerSock = true
})
}

// NewKindClusterProvider returns a ClusterProvider that can create a kind cluster.
func NewKindClusterProvider(name string, options ...KindClusterOption) *kindClusterProvider {
Expect(name).ToNot(BeEmpty(), "name is required for NewKindClusterProvider")

clusterProvider := &kindClusterProvider{
name: name,
}
for _, option := range options {
option.apply(clusterProvider)
}
return clusterProvider
}

// kindClusterProvider implements a ClusterProvider that can create a kind cluster.
type kindClusterProvider struct {
name string
withDockerSock bool
kubeconfigPath string
}

// Create a Kubernetes cluster using kind.
func (k *kindClusterProvider) Create(ctx context.Context) {
Expect(ctx).NotTo(BeNil(), "ctx is required for Create")

// Sets the kubeconfig path to a temp file.
// NB. the ClusterProvider is responsible for the cleanup of this file
f, err := ioutil.TempFile("", "e2e-kind")
Expect(err).ToNot(HaveOccurred(), "Failed to create kubeconfig file for the kind cluster %q", k.name)
k.kubeconfigPath = f.Name()

// Creates the kind cluster
k.createKindCluster()
}

// createKindCluster calls the kind library taking care of passing options for:
// - use a dedicated kubeconfig file (test should not alter the user environment)
// - if required, mount /var/run/docker.sock
func (k *kindClusterProvider) createKindCluster() {
kindCreateOptions := []kind.CreateOption{
kind.CreateWithKubeconfigPath(k.kubeconfigPath),
}
if k.withDockerSock {
kindCreateOptions = append(kindCreateOptions, kind.CreateWithV1Alpha4Config(withDockerSockConfig()))
}

err := kind.NewProvider().Create(k.name, kindCreateOptions...)
Expect(err).ToNot(HaveOccurred(), "Failed to create the kind cluster %q")
}

// withDockerSockConfig returns a kind config for mounting /var/run/docker.sock into the kind node.
func withDockerSockConfig() *kindv1.Cluster {
cfg := &kindv1.Cluster{
TypeMeta: kindv1.TypeMeta{
APIVersion: "kind.x-k8s.io/v1alpha4",
Kind: "Cluster",
},
}
kindv1.SetDefaultsCluster(cfg)
cfg.Nodes = []kindv1.Node{
{
Role: kindv1.ControlPlaneRole,
ExtraMounts: []kindv1.Mount{
{
HostPath: "/var/run/docker.sock",
ContainerPath: "/var/run/docker.sock",
},
},
},
}
return cfg
}

// GetKubeconfigPath returns the path to the kubeconfig file for the cluster.
func (k *kindClusterProvider) GetKubeconfigPath() string {
return k.kubeconfigPath
}

// Dispose the kind cluster and its kubeconfig file.
func (k *kindClusterProvider) Dispose(ctx context.Context) {
Expect(ctx).NotTo(BeNil(), "ctx is required for Dispose")

if err := kind.NewProvider().Delete(k.name, k.kubeconfigPath); err != nil {
fmt.Fprintf(GinkgoWriter, "Deleting the kind cluster %q failed. You may need to remove this by hand.\n", k.name)
}
if err := os.Remove(k.kubeconfigPath); err != nil {
fmt.Fprintf(GinkgoWriter, "Deleting the kubeconfig file %q file. You may need to remove this by hand.\n", k.kubeconfigPath)
}
}
152 changes: 152 additions & 0 deletions test/framework/bootstrap/kind_util.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,152 @@
/*
Copyright 2020 The Kubernetes Authors.

Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/

package bootstrap

import (
"context"
"fmt"
"io/ioutil"
"os"
"path/filepath"

. "github.com/onsi/ginkgo"
. "github.com/onsi/gomega"
"github.com/pkg/errors"

"sigs.k8s.io/cluster-api/test/framework"
"sigs.k8s.io/cluster-api/test/framework/exec"
kind "sigs.k8s.io/kind/pkg/cluster"
kindnodes "sigs.k8s.io/kind/pkg/cluster/nodes"
kindnodesutils "sigs.k8s.io/kind/pkg/cluster/nodeutils"
)

// CreateKindBootstrapClusterAndLoadImagesInput is the input for CreateKindBootstrapClusterAndLoadImages.
type CreateKindBootstrapClusterAndLoadImagesInput struct {
// Name of the cluster
Name string

// RequiresDockerSock defines if the cluster requires the docker sock
RequiresDockerSock bool

// Images to be loaded in the cluster (this is kind specific)
Images []framework.ContainerImage
}

// CreateKindBootstrapClusterAndLoadImages returns a new Kubernetes cluster with pre-loaded images.
func CreateKindBootstrapClusterAndLoadImages(ctx context.Context, input CreateKindBootstrapClusterAndLoadImagesInput) ClusterProvider {
Expect(ctx).NotTo(BeNil(), "ctx is required for CreateKindBootstrapClusterAndLoadImages")
Expect(input.Name).ToNot(BeEmpty(), "Invalid argument. Name can't be empty when calling CreateKindBootstrapClusterAndLoadImages")

fmt.Fprintf(GinkgoWriter, "Creating a kind cluster with name %q\n", input.Name)

options := []KindClusterOption{}
if input.RequiresDockerSock {
options = append(options, WithDockerSockMount())
}
clusterProvider := NewKindClusterProvider(input.Name, options...)
Expect(clusterProvider).ToNot(BeNil(), "Failed to create a kind cluster")

clusterProvider.Create(ctx)
Expect(clusterProvider.GetKubeconfigPath()).To(BeAnExistingFile(), "The kubeconfig file for the kind cluster with name %q does not exists at %q as expected", input.Name, clusterProvider.GetKubeconfigPath())

LoadImagesToKindCluster(ctx, LoadImagesToKindClusterInput{
Name: input.Name,
Images: input.Images,
})

return clusterProvider
}

// LoadImagesToKindClusterInput is the input for LoadImagesToKindCluster.
type LoadImagesToKindClusterInput struct {
// Name of the cluster
Name string

// Images to be loaded in the cluster (this is kind specific)
Images []framework.ContainerImage
}

// LoadImagesToKindCluster provides a utility for loading images into a kind cluster.
func LoadImagesToKindCluster(ctx context.Context, input LoadImagesToKindClusterInput) {
Expect(ctx).NotTo(BeNil(), "ctx is required for LoadImagesToKindCluster")
Expect(input.Name).ToNot(BeEmpty(), "Invalid argument. Name can't be empty when calling LoadImagesToKindCluster")

for _, image := range input.Images {
fmt.Fprintf(GinkgoWriter, "Loading image: %q\n", image.Name)
err := loadImage(ctx, input.Name, image.Name)
switch image.LoadBehavior {
case framework.MustLoadImage:
Expect(err).ToNot(HaveOccurred(), "Failed to load image %q into the kind cluster %q", image.Name, input.Name)
case framework.TryLoadImage:
if err != nil {
fmt.Fprintf(GinkgoWriter, "[WARNING] Unable to load image %q into the kind cluster %q: %v \n", image.Name, input.Name, err)
}
}
}
}

// LoadImage will put a local image onto the kind node
func loadImage(ctx context.Context, cluster, image string) error {
// Save the image into a tar
dir, err := ioutil.TempDir("", "image-tar")
if err != nil {
return errors.Wrap(err, "failed to create tempdir")
}
defer os.RemoveAll(dir)
imageTarPath := filepath.Join(dir, "image.tar")

err = save(ctx, image, imageTarPath)
if err != nil {
return err
}

// Gets the nodes in the cluster
provider := kind.NewProvider()
nodeList, err := provider.ListInternalNodes(cluster)
if err != nil {
return err
}

// Load the image on the selected nodes
for _, node := range nodeList {
if err := load(imageTarPath, node); err != nil {
return err
}
}

return nil
}

// copied from kind https://github.com/kubernetes-sigs/kind/blob/v0.7.0/pkg/cmd/kind/load/docker-image/docker-image.go#L168
// save saves image to dest, as in `docker save`
func save(ctx context.Context, image, dest string) error {
_, _, err := exec.NewCommand(
exec.WithCommand("docker"),
exec.WithArgs("save", "-o", dest, image)).Run(ctx)
return err
}

// copied from kind https://github.com/kubernetes-sigs/kind/blob/v0.7.0/pkg/cmd/kind/load/docker-image/docker-image.go#L158
// loads an image tarball onto a node
func load(imageTarName string, node kindnodes.Node) error {
f, err := os.Open(imageTarName)
if err != nil {
return errors.Wrap(err, "failed to open image")
}
defer f.Close()
return kindnodesutils.LoadImageArchive(node, f)
}
Loading