Controller Runtime Client API

    controller-runtime defines several interfaces used for cluster interaction:

    • : implementers perform CRUD operations on a Kubernetes cluster.
    • manager.Manager: manages shared dependencies, such as Caches and Clients.
    • reconcile.Reconciler: compares provided state with actual cluster state and updates the cluster on finding state differences using a Client.

    Clients are the focus of this document. A separate document will discuss Managers.

    Note: this document uses parts of the sample memcached-operator for example code. Import paths may be different for brevity.

    Client Usage

    The SDK relies on a manager.Manager to create a client.Client interface that performs Create, Update, Delete, Get, and List operations within a reconcile.Reconciler‘s Reconcile function. The SDK will generate code to create a Manager, which holds a Cache and a Client to be used in CRUD operations and communicate with the API server. By default a Controller’s Reconciler will be populated with the Manager’s Client which is a split-client.

    The following code, found in controllers/memcached_controller.go, demonstrates how the Manager’s client is passed to a reconciler.

    A split client reads (Get and List) from the Cache and writes (Create, Update, Delete) to the API server. Reading from the Cache significantly reduces request load on the API server; as long as the Cache is updated by the API server, read operations are eventually consistent.

    An operator developer may wish to create their own Client that serves read requests(Get List) from the API server instead of the cache, for example. controller-runtime provides a for Clients:

    1. // New returns a new Client using the provided config and Options.
    2. func New(config *rest.Config, options client.Options) (client.Client, error)

    client.Options allow the caller to specify how the new Client should communicate with the API server.

    1. // Options are creation options for a Client
    2. type Options struct {
    3. // Scheme, if provided, will be used to map go structs to GroupVersionKinds
    4. Scheme *runtime.Scheme
    5. // Mapper, if provided, will be used to map GroupVersionKinds to Resources
    6. Mapper meta.RESTMapper
    7. }

    Example:

    1. import (
    2. "sigs.k8s.io/controller-runtime/pkg/client/config"
    3. "sigs.k8s.io/controller-runtime/pkg/client"
    4. )
    5. cfg, err := config.GetConfig()
    6. ...
    7. c, err := client.New(cfg, client.Options{})
    8. ...

    Creating a new Client is not usually necessary nor advised, as the default Client is sufficient for most use cases.

    A Reconciler implements the reconcile.Reconciler interface, which exposes the Reconcile method. Reconcilers are added to a corresponding Controller for a Kind; Reconcile is called in response to cluster or external Events, with a reconcile.Request object argument, to read and write cluster state by the Controller, and returns a ctrl.Result. SDK Reconcilers have access to a Client in order to make Kubernetes API calls.

    1. // MemcachedReconciler reconciles a Memcached object
    2. type MemcachedReconciler struct {
    3. // client, initialized using mgr.Client() above, is a split client
    4. // that reads objects from the cache and writes to the apiserver
    5. client.Client
    6. Log logr.Logger
    7. // scheme defines methods for serializing and deserializing API objects,
    8. // a type registry for converting group, version, and kind information
    9. // to and from Go schemas, and mappings between Go schemas of different
    10. // versions. A scheme is the foundation for a versioned API and versioned
    11. // configuration over time.
    12. Scheme *runtime.Scheme
    13. }
    14. // Reconcile watches for Events and reconciles cluster state with desired
    15. // state defined in the method body.
    16. // The Controller will requeue the Request to be processed again if an error
    17. // is non-nil or Result.Requeue is true, otherwise upon completion it will
    18. // remove the work from the queue.
    19. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error)

    Reconcile is where Controller business logic lives, i.e. where Client API calls are made via MemcachedReconciler.client. A client.Client implementer performs the following operations:

    Get

    1. // Get retrieves an API object for a given object key from the Kubernetes cluster
    2. // and stores it in obj.
    3. func (c Client) Get(ctx context.Context, key client.ObjectKey, obj client.Object) error

    Note: A client.ObjectKey is simply an alias for types.NamespacedName.

    Example:

    1. import (
    2. "context"
    3. ctrl "sigs.k8s.io/controller-runtime"
    4. cachev1alpha1 "github.com/example/memcached-operator/api/v1alpha1"
    5. )
    6. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    7. ...
    8. memcached := &cachev1alpha1.Memcached{}
    9. err := r.Get(ctx, request.NamespacedName, memcached)
    10. ...

    List

    A client.ListOption is an interface that sets client.ListOptions fields. A client.ListOption is created by using one of the provided implementations: , MatchingFields, .

    Example:

    1. import (
    2. "context"
    3. "fmt"
    4. "k8s.io/api/core/v1"
    5. ctrl "sigs.k8s.io/controller-runtime"
    6. "sigs.k8s.io/controller-runtime/pkg/client"
    7. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    8. ...
    9. // Return all pods in the request namespace with a label of `instance=<name>`
    10. // and phase `Running`.
    11. podList := &v1.PodList{}
    12. opts := []client.ListOption{
    13. client.InNamespace(request.NamespacedName.Namespace),
    14. client.MatchingLabels{"instance": request.NamespacedName.Name},
    15. client.MatchingFields{"status.phase": "Running"},
    16. }
    17. err := r.List(ctx, podList, opts...)
    18. ...
    19. }

    Create

    1. // Create saves the object obj in the Kubernetes cluster.
    2. // Returns an error
    3. func (c Client) Create(ctx context.Context, obj client.Object, opts ...client.CreateOption) error

    A client.CreateOption is an interface that sets fields. A client.CreateOption is created by using one of the provided implementations: DryRunAll, . Generally these options are not needed.

    Example:

    1. import (
    2. "context"
    3. "k8s.io/api/apps/v1"
    4. ctrl "sigs.k8s.io/controller-runtime"
    5. )
    6. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    7. ...
    8. dep := &v1.Deployment{ // Any cluster object you want to create.
    9. ...
    10. }
    11. err := r.Create(ctx, dep)
    12. ...
    13. }

    Update

    1. // Update updates the given obj in the Kubernetes cluster. obj must be a
    2. // struct pointer so that obj can be updated with the content returned
    3. // by the API server. Update does *not* update the resource's status
    4. // subresource
    5. func (c Client) Update(ctx context.Context, obj client.Object, opts ...client.UpdateOption) error

    Example:

    1. import (
    2. "context"
    3. "k8s.io/api/apps/v1"
    4. ctrl "sigs.k8s.io/controller-runtime"
    5. )
    6. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    7. ...
    8. dep := &v1.Deployment{}
    9. err := r.Get(ctx, request.NamespacedName, dep)
    10. ...
    11. dep.Spec.Selector.MatchLabels["is_running"] = "true"
    12. err := r.Update(ctx, dep)
    13. ...
    14. }

    Patch

    1. // Patch patches the given obj in the Kubernetes cluster. obj must be a
    2. // struct pointer so that obj can be updated with the content returned by the Server.
    3. func (c Client) Patch(ctx context.Context, obj client.Object, patch client.Patch, opts ...client.PatchOption) error

    A client.PatchOption is an interface that sets client.PatchOptions fields. A client.PatchOption is created by using one of the provided implementations: , ForceOwnership. Generally these options are not needed.

    Example:

    Updating Status Subresource

    When updating the status subresource from the client, the must be used. The status subresource is retrieved with Status() and updated with Update() or patched with Patch().

    Update() takes variadic client.UpdateOption‘s, and Patch() takes variadic client.PatchOption‘s. See Client.Update() and for more details. Generally these options are not needed.

    Status
    1. // Status() returns a StatusWriter object that can be used to update the
    2. // object's status subresource
    3. func (c Client) Status() (client.StatusWriter, error)

    Example:

    1. import (
    2. "context"
    3. ctrl "sigs.k8s.io/controller-runtime"
    4. cachev1alpha1 "github.com/example/memcached-operator/api/v1alpha1"
    5. )
    6. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    7. ...
    8. mem := &cachev1alpha1.Memcached{}
    9. err := r.Get(ctx, request.NamespacedName, mem)
    10. ...
    11. // Update
    12. mem.Status.Nodes = []string{"pod1", "pod2"}
    13. err := r.Status().Update(ctx, mem)
    14. ...
    15. // Patch
    16. patch := client.MergeFrom(mem.DeepCopy())
    17. mem.Status.Nodes = []string{"pod1", "pod2", "pod3"}
    18. err := r.Status().Patch(ctx, mem, patch)
    19. ...
    20. }

    Delete

    1. // Delete deletes the given obj from Kubernetes cluster.
    2. func (c Client) Delete(ctx context.Context, obj client.Object, opts ...client.DeleteOption) error

    A client.DeleteOption is an interface that sets client.DeleteOptions fields. A client.DeleteOption is created by using one of the provided implementations: , Preconditions, .

    Example:

    1. import (
    2. "context"
    3. "k8s.io/api/core/v1"
    4. ctrl "sigs.k8s.io/controller-runtime"
    5. "sigs.k8s.io/controller-runtime/pkg/client"
    6. )
    7. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    8. ...
    9. pod := &v1.Pod{}
    10. err := r.Get(ctx, request.NamespacedName, pod)
    11. ...
    12. if pod.Status.Phase == v1.PodUnknown {
    13. // Delete the pod after 5 seconds.
    14. err := r.Delete(ctx, pod, client.GracePeriodSeconds(5))
    15. ...
    16. }
    17. ...
    18. }

    DeleteAllOf

    1. // DeleteAllOf deletes all objects of the given type matching the given options.
    2. func (c Client) DeleteAllOf(ctx context.Context, obj client.Object, opts ...client.DeleteAllOfOption) error

    A client.DeleteAllOfOption is an interface that sets fields. A client.DeleteAllOfOption wraps a client.ListOption and .

    1. import (
    2. "context"
    3. "fmt"
    4. "k8s.io/api/core/v1"
    5. ctrl "sigs.k8s.io/controller-runtime"
    6. "sigs.k8s.io/controller-runtime/pkg/client"
    7. )
    8. func (r *MemcachedReconciler) Reconcile(ctx context.Context, req ctrl.Request) (ctrl.Result, error) {
    9. ...
    10. // Delete all pods in the request namespace with a label of `instance=<name>`
    11. // and phase `Failed`.
    12. pod := &v1.Pod{}
    13. opts := []client.DeleteAllOfOption{
    14. client.InNamespace(request.NamespacedName.Namespace),
    15. client.MatchingLabels{"instance", request.NamespacedName.Name},
    16. client.MatchingFields{"status.phase": "Failed"},
    17. client.GracePeriodSeconds(5),
    18. }
    19. err := r.DeleteAllOf(ctx, pod, opts...)