KubeOps 7.6.1
Use Operator and Operator.Web of v8 (at least) of KubeOps
dotnet add package KubeOps --version 7.6.1
NuGet\Install-Package KubeOps -Version 7.6.1
<PackageReference Include="KubeOps" Version="7.6.1" />
paket add KubeOps --version 7.6.1
#r "nuget: KubeOps, 7.6.1"
// Install KubeOps as a Cake Addin #addin nuget:?package=KubeOps&version=7.6.1 // Install KubeOps as a Cake Tool #tool nuget:?package=KubeOps&version=7.6.1
KubeOps - Kubernetes Operator SDK
This package (sadly "DotnetOperatorSdk" is already taken on nuget, so its "KubeOps") is a kubernetes operator sdk written in dotnet. It is heavily inspired by "kubebuilder" that provides the same and more functions for kubernetes operators in GoLang.
Getting Started
This document should describe what steps you need to follow, to fire up your own operator. This covers the basic installation of the operator sdk, further clarification / documentation is in the specific sections.
The operator sdk is designed as an extension to the Generic Web Host of Microsoft.
So you'll find method extensions for IServiceCollection
and IApplicationBuilder
that activate and start the operator as a web application.
Terminology
Entity
: A (C#) model - an entity - that is used in kubernetes. An entity is the class for a kubernetes resource.Resource
(orTResource
): The type of a kubernetes resource.Controller
orResourceController
: An instance of a resource manager that is responsible for the reconciliation of an entity.Finalizer
: A special resource manager that is attached to the entity via identifier. The finalizers are called when an entity is deleted on kubernetes.Validator
: An implementation for a validation admission webhook.CRD
: CustomResourceDefinition of kubernetes.
How To Start
Using this sdk is pretty simple:
- Create a new asp.net core application
- Install the package
- Replace the
Run
function inProgram.cs
- Add the operator to
Startup.cs
- Write entities / controllers / finalizers
- Go.
If you don't create an asp.net core application (template) please note that the output type of the application must be an "exe":
<OutputType>Exe</OutputType>
Install the package
dotnet add package KubeOps
That's it.
Update Entrypoint
In your Program.cs
file, replace Build().Run()
with Build().RunOperatorAsync(args)
:
public static class Program
{
public static Task<int> Main(string[] args) =>
CreateHostBuilder(args)
.Build()
.RunOperatorAsync(args);
private static IHostBuilder CreateHostBuilder(string[] args) =>
Host.CreateDefaultBuilder(args)
.ConfigureWebHostDefaults(webBuilder =>
{
webBuilder.UseStartup<Startup>();
});
}
This adds the default commands (like run and the code generators) to your app. The commands are documentated under the CLI Commands section.
Technically you don't need to replace the function, but if you don't, the other commands like yaml generation are not available to your application. Also namespacing is not possible via run flag.
Add to Startup.cs
public class Startup
{
/* snip... */
public void ConfigureServices(IServiceCollection services)
{
services
.AddKubernetesOperator(); // config / settings here
// your own dependencies
services.AddTransient<IManager, TestManager.TestManager>();
}
public void Configure(IApplicationBuilder app)
{
// fire up the mappings for the operator
// this is technically not needed, but if you don't call this
// function, the healthchecks and mappings are not
// mapped to endpoints (therefore not callable)
app.UseKubernetesOperator();
}
}
Features
As of now, the operator sdk supports - roughly - the following features:
- Entities
- Normal entities
- Multi version entities
- Controller with all operations of an entity
- Reconcile
- StatusModified
- Deleted
- Finalizers for entities
- Webhooks
- Validation / validators
- Prometheus metrics for queues / caches / watchers
- Healthchecks, split up to "readiness" and "liveness" (or both)
- Commands for the operator (for exact documentation run:
dotnet run -- --help
)Run
: Start the operator and run the asp.net applicationInstall
: Install the found CRD's into the actual configured cluster in your kubeconfigUninstall
: Remove the CRDs from your clusterGenerate CRD
: Generate the yaml for your CRDsGenerate Docker
: Generate a dockerfile for your operatorGenerate Installer
: Generate a kustomization yaml for your operatorGenerate Operator
: Generate the yaml for your operator (rbac / role / etc)Generate RBAC
: Generate rbac roles for your CRDs
Other features and ideas are listed in the repository's "issues".
Settings
To configure the operator, use the OperatorSettings
instance
that is configurable during the generic host extension method
AddKubernetesOperator
.
You can configure things like the name of the operator, if it should use namespacing, and other elements like the urls of metrics and lease durations for the leader election.
All settings are well documented in the code docs.
Custom Entities
The words entity
and resource
are kind of interchangeable. It strongly
depends on the context. The resource is the type of an object in kubernetes
which is defined by the default api or a CRD. While an entity is a class
in C# of such a resource. (CRD means "custom resource definition").
To write your own kubernetes entities, use the interfaces
provided by k8s
or use the CustomKubernetesEntity
.
There are two overloads with generics for the Spec
and Status
resource values.
A "normal" entity does not provide any real value (i.e. most of the time).
Normally you need some kind of Spec
to have data in your entity.
The status is a subresource which can be updated without updating the whole resource and is a flat key-value list (or should be) of properties to represent the state of a resource.
Write Entities
A custom entity could be:
class FooSpec
{
public string? Test { get; set; }
}
[KubernetesEntity(Group = "test", ApiVersion = "v1")]
public class Foo : CustomKubernetesEntity<FooSpec>
{
}
Now a CRD for your "Foo" class is generated on build or via the cli commands.
If you don't use the CustomKubernetesEntity
base class, you need to - at least - use the appropriate interfaces from k8s
:
KubernetesObject
IKubernetesObject<V1ObjectMeta>
Ignoring Entities
There are use-cases when you want to model / watch a custom entity from another
software engineer that are not part of the base models in k8s
.
To prevent the generator from creating yaml's for CRDs you don't own, use
the IgnoreEntityAttribute
.
So as an example, one could try to watch for Ambassador-Mappings with the following entity:
public class MappingSpec
{
public string Host { get; set; }
}
[IgnoreEntity]
[KubernetesEntity(Group = "getambassador.io", ApiVersion = "v2")]
public class Mapping : CustomKubernetesEntity<MappingSpec>
{
}
You need it to be a KubernetesEntity
and a IKubernetesObject<V1ObjectMeta>
, but
you don't want a CRD generated for it (thus the IgnoreEntity
attribute).
RBAC
The operator (SDK) will generate the role config for your operator to be installed. When your operator needs access to Kubernetes objects, they must be mentioned with the RBAC attributes. During build, the SDK scans the configured types and generates the RBAC role that the operator needs to function.
There exist two versions of the attribute:
KubeOps.Operator.Rbac.EntityRbacAttribute
and
KubeOps.Operator.Rbac.GenericRbacAttribute
.
The generic RBAC attribute will be translated into a V1PolicyRole
according to the properties set in the attribute.
[GenericRbac(Groups = new []{"apps"}, Resources = new[]{"deployments"}, Verbs = RbacVerb.All)]
The entity RBAC attribute is the elegant option to use dotnet mechanisms. The CRD information is generated out of the given types and then grouped by type and used RBAC verbs. If you create multiple attributes with the same type, they are concatenated.
[EntityRbac(typeof(RbacTest1), Verbs = RbacVerb.Get | RbacVerb.Update)]
Validation
During CRD generation, the generated json schema uses the types of the properties to create the openApi schema.
You can use the various validator attributes to customize your crd:
(all attributes are on properties with the exception of the Description)
Description
: Describe the property or classExternalDocs
: Add a link to an external documentationItems
: Customize MinItems / MaxItems and if the items should be uniqueLength
: Customize the length of somethingMultipleOf
: A number should be a multiple ofPattern
: A valid ECMA script regex (e.g./\d*/
)RangeMaximum
: The maximum of a value (with option to exclude the max itself)RangeMinimum
: The minimum of a value (with option to exclude the min itself)Required
: The field is listed in the required fieldsPreserveUnknownFields
: Set theX-Kubernetes-Preserve-Unknown-Fields
totrue
For
Description
: if your project generates the XML documentation files for the result, the crd generator also searches for those files and a possible<summary>
tag in the xml documentation. The attribute will take precedence though.
public class MappingSpec
{
/// <summary>This is a comment.</summary>
[Description("This is another comment")]
public string Host { get; set; }
}
In the example above, the text of the attribute will be used.
Multi-Version Entities
You can manage multiple versions of a CRD. To do this, you can specify multiple classes as the "same" entity, but with different versions.
To mark multiple entity classes as the same, use exactly the same
Kind
, Group
and PluralName
and differ in the ApiVersion
field.
Version priority
Sorting of the versions - and therefore determine which version should be
the storage version
if no attribute is provided - is done by the kubernetes
rules of version sorting:
Priority is as follows:
- General Availablility (i.e.
V1Foobar
,V2Foobar
) - Beta Versions (i.e.
V11Beta13Foobar
,V2Beta1Foobar
) - Alpha Versions (i.e.
V16Alpha13Foobar
,V2Alpha10Foobar
)
The parsed version numbers are sorted by the highest first, this leads to the following version priority:
- v10
- v2
- v1
- v11beta2
- v10beta3
- v3beta1
- v12alpha1
- v11alpha2
This can also be reviewed in the Kubernetes documentation.
Storage Version
To determine the storage version (of which one, and exactly one must exist)
the system uses the previously mentioned version priority to sort the versions
and picking the first one. To overwrite this behaviour, use the
KubeOps.Operator.Entities.Annotations.StorageVersionAttribute
When multiple
KubeOps.Operator.Entities.Annotations.StorageVersionAttribute
are used, the system will thrown an error.
To overwrite a version, annotate the entity class with the attribute.
Example
Normal multiversion entity
Note that the Kind
[KubernetesEntity(
ApiVersion = "v1",
Kind = "VersionedEntity",
Group = "kubeops.test.dev",
PluralName = "versionedentities")]
public class V1VersionedEntity : CustomKubernetesEntity
{
}
[KubernetesEntity(
ApiVersion = "v1beta1",
Kind = "VersionedEntity",
Group = "kubeops.test.dev",
PluralName = "versionedentities")]
public class V1Beta1VersionedEntity : CustomKubernetesEntity
{
}
[KubernetesEntity(
ApiVersion = "v1alpha1",
Kind = "VersionedEntity",
Group = "kubeops.test.dev",
PluralName = "versionedentities")]
public class V1Alpha1VersionedEntity : CustomKubernetesEntity
{
}
The resulting storage version would be V1VersionedEntity
.
Overwritten storage version multi-version entity
[KubernetesEntity(
ApiVersion = "v1",
Kind = "AttributeVersionedEntity",
Group = "kubeops.test.dev",
PluralName = "attributeversionedentities")]
[StorageVersion]
public class V1AttributeVersionedEntity : CustomKubernetesEntity
{
}
[KubernetesEntity(
ApiVersion = "v2",
Kind = "AttributeVersionedEntity",
Group = "kubeops.test.dev",
PluralName = "attributeversionedentities")]
public class V2AttributeVersionedEntity : CustomKubernetesEntity
{
}
The resulting storage version would be V1AttributeVersionedEntity
.
Resource Controller
When reconciling an entity of a CRD
, one needs a controller to do so.
The controller abstracts the general complexity of watching the
resources on kubernetes and queueing of the events.
When you want to create a controller for your (or any) entity, read the following instructions.
When you have controllers, they are automatically added to the
DI system via their KubeOps.Operator.Controller.IResourceController
interface.
Controllers are registered as scoped elements in the DI system. Which means, they basically behave like asp.net api controllers. You can use dependency injection with all types of dependencies.
Controller instance
After you created a custom entity (like described in Entities)
or you want to reconcile a given entity (from the k8s.Models
namespace,
e.g. V1ConfigMap
) you need to create a controller class
as you would do for a MVC or API controller in asp.net.
Make sure you implement the KubeOps.Operator.Controller.IResourceController
interface.
[EntityRbac(typeof(MyCustomEntity), Verbs = RbacVerb.All)]
public class FooCtrl : IResourceController<MyCustomEntity>
{
// Implement the needed methods here.
// The interface provides default implementation which do a NOOP.
// Possible overwrites:
// "ReconcileAsync": when the operator sees the entity for the first time, it was modified or just fired an event,
// "StatusModifiedAsync" (i.e. when only the status was updated),
// "DeletedAsync" (i.e. when the entity was deleted and all finalizers are done)
}
Namespaced controller
To limit the operator (and therefore all controllers) to a specific
namespace in kubernetes, use the KubeOps.Operator.OperatorSettings
and configure a specific namespace when it is predefined.
To use namespacing dynamically, run the application with the --namespaced
option. When given a name (i.e. --namespaced=foobar
) the defined
namespace is used. When only the option is provided (i.e. --namespaced
)
then the actual namespace is used that the pod runs in.
RBAC
The entity rbac attribute does provide the information needed about your needed roles / rules.
Please configure all entities you want to manage with your operator with such an entity rbac attribute. This generates the rbac roles / role bindings for your operator and therefore for the service account associated with the operator.
EntityRbac
The first possibility to configure rbac is with the KubeOps.Operator.Rbac.EntityRbacAttribute
attribute.
The attribute takes a list of types (your entities) and a KubeOps.Operator.Rbac.RbacVerb
.
The verbs define the needed permissions and roles for the given entity(ies).
You can configure multiple types and even well known entities from kubernetes:
[EntityRbac(typeof(MyCustomEntity), Verbs = RbacVerb.All)]
[EntityRbac(typeof(V1Secret), typeof(V1ConfigMap), Verbs = RbacVerb.Get | RbacVerb.List)]
[EntityRbac(typeof(V1Deployment), Verbs = RbacVerb.Create | RbacVerb.Update | RbacVerb.Delete)]
GenericRbac
The second possibility is to use the KubeOps.Operator.Rbac.GenericRbacAttribute
which takes a list of api groups, resources, versions and a selection of
RbacVerbs to configure the rbac rule:
[GenericRbac(Groups = new {"apps"}, Resources = new {"deployments"}, Verbs = RbacVerb.All)]
Requeue
The controller's methods (reconcile) have
a return value of KubeOps.Operator.Controller.Results.ResourceControllerResult
.
There are multiple ways how a result of a controller can be created:
null
: The controller will not requeue your entity / event.KubeOps.Operator.Controller.Results.ResourceControllerResult.RequeueEvent
: Return a result object with aSystem.TimeSpan
that will requeue the event and the entity after the time has passed.
The requeue mechanism can be useful if you want to periodically check for a database connection for example and update the status of a given entity.
/* snip... */
public Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
return Task.FromResult(ResourceControllerResult.RequeueEvent(TimeSpan.FromSeconds(15)); // This will requeue the event in 15 seconds.
}
public Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
return Task.FromResult<ResourceControllerResult>(null); // This wont trigger a requeue.
}
/* snip... */
Error requeue
If the function throws an error, the event is requeued with an exponential backoff.
/* snip... */
public Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
// do something useful.
throw new Exception("¯\\_(ツ)_/¯");
}
/* snip... */
Each event that errors will be retried four times.
Events / Event Series
Kubernetes knows "Events" which can be sort of attached to a resource (i.e. a Kubernetes object).
To create and use events, inject the @"KubeOps.Operator.Events.IEventManager" into your controller. It is registered as a transient resource in the DI container.
IEventManager
Publish events
The event manager allows you to either publish an event that you created by yourself, or helps you publish events with predefined data.
If you want to use the helper:
// fetch from DI, or inject into your controller.
IEventManager manager = services.GetRequiredService<IEventManager>;
// Publish the event.
// This creates an event and publishes it.
// If the event was previously published, it is fetched
// and the "count" number is increased. This essentially
// creates an event-series.
await manager.PublishAsync(resource, "reason", "my fancy message");
If you want full control over the event:
// fetch from DI, or inject into your controller.
IEventManager manager = services.GetRequiredService<IEventManager>;
var @event = new Corev1Event
{
// ... fill out all fields.
}
// Publish the event.
// This essentially calls IKubernetesClient.Save.
await manager.PublishAsync(@event);
Use publisher delegates
If you don't want to call the KubeOps.Operator.Events.IEventManager.PublishAsync
all the time with the same arguments, you can create delegates.
There exist two different delegates:
- "AsyncStaticPublisher": Predefined event on a predefined resource.
- "AsyncPublisher": Predefined event on a variable resource.
To use the static publisher:
var publisher = manager.CreatePublisher(resource, "reason", "message");
await publisher();
// and later on:
await publisher(); // again without specifying reason / message and so on.
To use the dynamic publisher:
var publisher = manager.CreatePublisher("reason", "message");
await publisher(resource);
// and later on:
await publisher(resource); // again without specifying reason / message and so on.
The dynamic publisher can be used to predefine the event for your resources.
As an example in a controller:
public class TestController : IResourceController<V1TestEntity>
{
private readonly IEventManager.Publisher _publisher;
public TestController(IEventManager eventManager)
{
_publisher = eventManager.CreatePublisher("reason", "my fancy message");
}
public Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
// Here, the event is published with predefined strings
// but for a "variable" resource.
await _publisher(resource);
return Task.FromResult<ResourceControllerResult>(null);
}
}
Finalizers
A finalizer is a special type of software that can asynchronously cleanup stuff for an entity that is being deleted.
A finalizer is registered as an identifier in a kubernetes object (i.e. in the yaml / json structure) and the object wont be removed from the api until all finalizers are removed.
If you write finalizer, they will be automatically added to the
DI system via their type KubeOps.Operator.Finalizer.IResourceFinalizer
Write a finalizer
Use the correct interface (KubeOps.Operator.Finalizer.IResourceFinalizer
).
A finalizer can be as simple as:
public class TestEntityFinalizer : IResourceFinalizer<V1TestEntity>
{
private readonly IManager _manager;
public TestEntityFinalizer(IManager manager)
{
_manager = manager;
}
public Task FinalizeAsync(V1TestEntity resource)
{
_manager.Finalized(resource);
return Task.CompletedTask;
}
}
The interface also provides a way of overwriting the Identifier
of the finalizer if you feed like it.
When the finalizer successfully completed his job, it is automatically removed from the finalizers list of the entity. The finalizers are registered as scoped resources in DI.
Register a finalizer
To attach a finalizer for a resource, call the
KubeOps.Operator.Finalizer.IFinalizerManager.RegisterFinalizerAsync
method in the controller during reconciliation.
public class TestController : IResourceController<V1TestEntity>
{
private readonly IFinalizerManager<V1TestEntity> _manager;
public TestController(IFinalizerManager<V1TestEntity> manager)
{
_manager = manager;
}
public async Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
// The type MyFinalizer must be an IResourceFinalizer<V1TestEntity>
await _manager.RegisterFinalizerAsync<MyFinalizer>(resource);
return null;
}
}
Alternatively, the KubeOps.Operator.Finalizer.IFinalizerManager.RegisterAllFinalizersAsync
method can be used to attach all finalizers known to the operator for that entity type.
public class TestController : IResourceController<V1TestEntity>
{
private readonly IFinalizerManager<V1TestEntity> _manager;
public TestController(IFinalizerManager<V1TestEntity> manager)
{
_manager = manager;
}
public async Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
await _manager.RegisterAllFinalizersAsync(resource);
return null;
}
}
Unregistering a finalizer
When a resource is finalized, the finalizer is removed automatically.
However, if you want to remove a finalizer before a resource is deleted/finalized,
you can use KubeOps.Operator.Finalizer.IFinalizerManager.RemoveFinalizerAsync
.
public class TestController : IResourceController<V1TestEntity>
{
private readonly IFinalizerManager<V1TestEntity> _manager;
public TestController(IFinalizerManager<V1TestEntity> manager)
{
_manager = manager;
}
public async Task<ResourceControllerResult> CreatedAsync(V1TestEntity resource)
{
await _manager.RemoveFinalizerAsync<MyFinalizer>(resource);
return null;
}
}
Webhooks
Kubernetes supports various webhooks to extend the normal api behaviour of the master api. Those are documented on the kubernetes website.
KubeOps
supports the following webhooks out of the box:
- Validator / Validation
- Mutator / Mutation
The following documentation should give the user an overview on how to implement a webhook what this implies to the written operator.
At the courtesy of the kubernetes website, here is a diagram of the process that runs for admission controllers and api requests:
General
In general, if your operator contains any registered (registered in the
DI) the build process that is provided via KubeOps.targets
will
generate a CA certificate for you.
So if you add a webhook to your operator the following changes to the normal deployment of the operator will happen:
- During "after build" phase, the sdk will generate a CA-certificate for self signed certificates for you.
- The ca certificate and the corresponding key are added to the deployment via kustomization config.
- A special config is added to the deployment via kustomization to use https.
- The deployment of the operator now contains an
init-container
that loads theca.pem
andca-key.pem
files and creates a server certificate. Also, a service and the corresponding webhook configurations are created. - When the operator starts, an additional https route is registered with the created server certificate.
When a webhook is registered, the specified operations will trigger a POST call to the operator.
The certificates are generated with cfssl, an amazing tool from cloudflare that helps with the general hassle of creating CAs and certificates in general.
Make sure you commit the
ca.pem
/ca-key.pem
file. During operator startup (init container) those files are needed. Since this represents a self signed certificate, and it is only used for cluster internal communication, it is no security issue to the system. The service is not exposed to the internet.
The
server.pem
andserver-key.pem
files are generated in the init container during pod startup. Each pod / instance of the operator gets its own server certificate but the CA must be shared among them.
Local development
It is possible to test / debug webhooks locally. For this, you need to implement the webhook and use assembly-scanning (or the operator builder if you disabled scanning) to register the webhook type.
There are two possibilities to tell Kubernetes that it should call your local running operator for the webhooks. The url that Kubernetes addresses must be an HTTPS address.
Using AddWebhookLocaltunnel
In your Startup.cs
you can use the IOperatorBuilder
method AddWebhookLocaltunnel
to add an automatic
localtunnel instance to your operator.
This will cause the operator to register a hosted service that creates a tunnel and then registers itself to Kubernetes with the created proxy-url. Now all calls are automatically forwarded via HTTPS to your operator.
namespace KubeOps.TestOperator
{
public class Startup
{
public void ConfigureServices(IServiceCollection services)
{
services
.AddKubernetesOperator()
#if DEBUG
.AddWebhookLocaltunnel()
#endif
;
services.AddTransient<IManager, TestManager.TestManager>();
}
public void Configure(IApplicationBuilder app)
{
app.UseKubernetesOperator();
}
}
}
It is strongly advices against using auto-webhooks with localtunnel in production. This feature is intended to improve the developer experience while coding operators.
Some IDEs (like Rider from JetBrains) do not correctly terminate debugged applications. Hence, the webhook registration remains in Kubernetes. If you remove webhooks from your operator, you need to remove the registration within Kubernetes as well.
Using external proxy
The operator will run on a specific http address, depending on your configuration. Now, use ngrok or localtunnel or something similar to create a HTTPS tunnel to your local running operator.
Now you can use the cli command of the sdk
dotnet run -- webhooks register --base-url <<TUNNEL URL>>
to
register the webhooks under the tunnel's url.
The result is your webhook being called by the kubernetes api.
It is suggested one uses Docker Desktop
with kubernetes.
Validation webhook
The general idea of this webhook type is to validate an entity before it is definitely created / updated or deleted.
Webhooks are registered in a scoped manner to the DI system. They behave like asp.net api controller.
The implementation of a validator is fairly simple:
- Create a class somewhere in your project.
- Implement the @"KubeOps.Operator.Webhooks.IValidationWebhook`1" interface.
- Define the @"KubeOps.Operator.Webhooks.IAdmissionWebhook`2.Operations" (from the interface) that the validator is interested in.
- Overwrite the corresponding methods.
The interface contains default implementations for ALL methods. The default of the async methods are to call the sync ones. The default of the sync methods is to return a "not implemented" result. The async methods take precedence over the synchronous ones.
The return value of the validation methods are @"KubeOps.Operator.Webhooks.ValidationResult" objects. A result contains a boolean flag if the entity / operation is valid or not. It may contain additional warnings (if it is valid) that are presented to the user if the kubernetes api supports it. If the result is invalid, one may add a custom http status code as well as a custom error message that is presented to the user.
Example
public class TestValidator : IValidationWebhook<EntityClass>
{
public AdmissionOperations Operations => AdmissionOperations.Create | AdmissionOperations.Update;
public ValidationResult Create(EntityClass newEntity, bool dryRun) =>
CheckSpec(newEntity)
? ValidationResult.Success("The username may not be foobar.")
: ValidationResult.Fail(StatusCodes.Status400BadRequest, @"Username is ""foobar"".");
public ValidationResult Update(EntityClass _, EntityClass newEntity, bool dryRun) =>
CheckSpec(newEntity)
? ValidationResult.Success("The username may not be foobar.")
: ValidationResult.Fail(StatusCodes.Status400BadRequest, @"Username is ""foobar"".");
private static bool CheckSpec(EntityClass entity) => entity.Spec.Username != "foobar";
}
Mutation webhook
Mutators are similar to validators but instead of defining if an object is valid or not, they are able to modify an object on the fly. The result of a mutator may generate a JSON Patch (http://jsonpatch.com) that patches the object that is later passed to the validators and to the Kubernetes API.
The implementation of a mutator is fairly simple:
- Create a class somewhere in your project.
- Implement the "KubeOps.Operator.Webhooks.IMutationWebhook" interface.
- Define the "KubeOps.Operator.Webhooks.IAdmissionWebhook.Operations" (from the interface) that the validator is interested in.
- Overwrite the corresponding methods.
The interface contains default implementations for ALL methods. The default of the async methods are to call the sync ones. The default of the sync methods is to return a "not implemented" result. The async methods take precedence over the synchronous ones.
The return value of the mutation methods do indicate if there has been a change in the model or not. If there is no change, return a result from "KubeOps.Operator.Webhooks.MutationResult.NoChanges" and if there are changes, modify the object that is passed to the method and return the changed object with "KubeOps.Operator.Webhooks.MutationResult.Modified(System.Object)". The system then calculates the diff and creates a JSON patch for the object.
Operator utils
There are two basic utilities that should be mentioned:
- Health-checks
- Metrics
Healthchecks
This is a basic feature of asp.net. The operator sdk makes use of
it and splits them up into Liveness
and Readiness
checks.
With the appropriate methods, you can add an IHealthCheck
interface
to either /ready
, /health
or both.
The urls can be configured via "KubeOps.Operator.OperatorSettings".
- "AddHealthCheck": adds a healthcheck to ready and liveness
- "AddLivenessCheck": adds a healthcheck to the liveness route only
- "AddReadinessCheck": adds a healthcheck to the readiness route only
Metrics
By default, the operator lists some interessting metrics on the
/metrics
route. The url can be configured via @"KubeOps.Operator.OperatorSettings".
There are many counters on how many elements have been reconciled, if the controllers and queues are up and how many elements are in timed requeue state.
Please have a look at the metrics if you run your operator locally or online to see which metrics are available.
Of course you can also have a look at the used metrics classes to see the implementation: Metrics Implementations.
Entity / Resource utils
There are several method extensions that help with day to day resource handling. Head over to their documentation to see that they do:
KubeOps.Operator.Entities.Extensions.KubernetesObjectExtensions.MakeObjectReference
KubeOps.Operator.Entities.Extensions.KubernetesObjectExtensions.MakeOwnerReference
KubeOps.Operator.Entities.Extensions.KubernetesObjectExtensions.WithOwnerReference
Commands
For convenience, there are multiple commands added to the executable of your operator (through the KubeOps package).
Those are implemented with the CommandLineUtils by NateMcMaster.
you can see the help and overview when using
dotnet run -- --help
in your project. As you can see, you can run
multiple commands. Some of them do install / uninstall your crds in
your currently selected kubernetes cluster or can generate code.
For the normal "dotnet run" command exists a
--namespaced
option that starts the operator in namespaced mode. This means that only the given namespace is watched for entities.
Available Commands
Here is a brief overview over the available commands:
all commands assume either the compiled dll or you using
dotnet run --
as prepended command.
""
(empty): runs the operator (normaldotnet run
)version
: prints the version information for the actual connected kubernetes clusterinstall
: install the CRDs for the solution into the clusteruninstall
: uninstall the CRDs for the solution from the clustergenerator
: entry command for generator commands (i.e. has subcommands), all commands output their result to the stdout or the given output pathcrd
: generate the CRDsdocker
: generate the dockerfileinstaller
: generate the installer files (i.e. kustomization yaml) for the operatoroperator
: generate the deployment for the operatorrbac
: generate the needed rbac roles / role bindings for the operator
webhook
: entry command for webhook related operationsinstall
: generate the server certificate and install the service / webhook registrationregister
: register the currently implemented webhooks to the currently selected cluster
Code Generation
When installing this package, you also reference the default Targets and Props that come with the build engine. While building the following elements are generated:
- Dockerfile (if not already present)
- CRDs for your custom entities
- RBAC roles and role bindings for your requested resources
- Deployment files for your operator
- Installation file for your operator (kustomize)
The dockerfile will not be overwritten in case you have custom elements in there. The installation files won't be overwritten as well if you have custom elements in there.
To regenerate those two elements, just delete them and rebuild your code.
For the customization on those build targets, have a look at the next section.
MS Build extensions
This project extends the default build process of dotnet with some code generation targets after the build.
You'll find the configurations and targets here:
- KubeOps.targets: defines the additional build targets
They can be configured with the prop settings described below. The props file just defines the defaults.
Prop Settings
You can overwrite the default behaviour of the building parts with the following
variables that you can add in a <PropertyGroup>
in your csproj
file:
Property | Description | Default Value |
---|---|---|
KubeOpsBasePath | Base path for all other elements | $(MSBuildProjectDirectory) |
KubeOpsDockerfilePath | The path of the dockerfile | $(KubeOpsBasePath)\Dockerfile |
KubeOpsDockerTag | Which dotnet sdk / run tag should be used | latest |
KubeOpsConfigRoot | The base directory for generated elements | $(KubeOpsBasePath)\config |
KubeOpsCrdDir | The directory for the generated crds | $(KubeOpsConfigRoot)\crds |
KubeOpsCrdFormat | Output format for crds | Yaml |
KubeOpsCrdUseOldCrds | Use V1Beta version of crd instead of V1<br>(for kubernetes version < 1.16) | false |
KubeOpsRbacDir | Where to put the roles | $(KubeOpsConfigRoot)\rbac |
KubeOpsRbacFormat | Output format for rbac | Yaml |
KubeOpsOperatorDir | Where to put operator related elements<br>(e.g. Deployment) | $(KubeOpsConfigRoot)\operator |
KubeOpsOperatorFormat | Output format for the operator | Yaml |
KubeOpsInstallerDir | Where to put the installation files<br>(e.g. Namespace / Kustomization) | $(KubeOpsConfigRoot)\install |
KubeOpsInstallerFormat | Output format for the installation files | Yaml |
KubeOpsSkipDockerfile | Skip dockerfile during build | "" |
KubeOpsSkipCrds | Skip crd generation during build | "" |
KubeOpsSkipRbac | Skip rbac generation during build | "" |
KubeOpsSkipOperator | Skip operator generation during build | "" |
KubeOpsSkipInstaller | Skip installer generation during build | "" |
Advanced Topics
Assembly Scanning
By default, KubeOps scans the assembly containing the main entrypoint for controller, finalizer, webhook and entity types, and automatically registers all types that implement the correct interfaces for usage.
If some of the above are stored in a different assembly, KubeOps must be
specifically instructed to scan that assembly KubeOps.Operator.Builder.IOperatorBuilder.AddResourceAssembly
or else those types won't be loaded.
public class Startup
{
public void ConfigureServices(IServiceCollection services)
{
services.AddKubernetesOperator()
.AddResourceAssembly(typeof(CustomEntityController).Assembly)
}
public void Configure(IApplicationBuilder app)
{
app.UseKubernetesOperator();
}
}
Manual Registration
If desired, the default behavior of assembly scanning can be disabled so specific components can be registered manually. (Using both methods in parallel is supported, such as if you want to load all components from one assembly and only some from another.)
See KubeOps.Operator.Builder.IOperatorBuilder
for details on the methods
utilized in this registration pattern.
public class Startup
{
public void ConfigureServices(IServiceCollection services)
{
services.AddKubernetesOperator(settings =>
{
settings.EnableAssemblyScanning = false;
})
.AddEntity<V1DemoEntityClone>()
.AddController<DemoController, V1DemoEntityClone>()
.AddController<DemoControllerClone>()
.AddFinalizer<DemoFinalizer>()
.AddValidationWebhook<DemoValidator>()
.AddMutationWebhook<DemoMutator>();
}
public void Configure(IApplicationBuilder app)
{
app.UseKubernetesOperator();
}
}
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 is compatible. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 was computed. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
-
net6.0
- CompareNETObjects (>= 4.79.0)
- KubeOps.KubernetesClient (>= 7.6.1)
- Localtunnel (>= 1.0.5)
- McMaster.Extensions.CommandLineUtils (>= 4.0.2)
- McMaster.Extensions.Hosting.CommandLine (>= 4.0.2)
- Microsoft.Extensions.Diagnostics.HealthChecks (>= 6.0.14)
- Namotion.Reflection (>= 2.1.1)
- prometheus-net.AspNetCore (>= 7.0.0)
- prometheus-net.AspNetCore.HealthChecks (>= 7.0.0)
- SimpleBase (>= 4.0.0)
- System.Reactive (>= 5.0.0)
- SystemTextJson.JsonDiffPatch (>= 1.3.1)
-
net7.0
- CompareNETObjects (>= 4.79.0)
- KubeOps.KubernetesClient (>= 7.6.1)
- Localtunnel (>= 1.0.5)
- McMaster.Extensions.CommandLineUtils (>= 4.0.2)
- McMaster.Extensions.Hosting.CommandLine (>= 4.0.2)
- Microsoft.Extensions.Diagnostics.HealthChecks (>= 7.0.3)
- Namotion.Reflection (>= 2.1.1)
- prometheus-net.AspNetCore (>= 7.0.0)
- prometheus-net.AspNetCore.HealthChecks (>= 7.0.0)
- SimpleBase (>= 4.0.0)
- System.Reactive (>= 5.0.0)
- SystemTextJson.JsonDiffPatch (>= 1.3.1)
NuGet packages (1)
Showing the top 1 NuGet packages that depend on KubeOps:
Package | Downloads |
---|---|
KubeOps.Testing
Additional Resources that helps / supports integration testing on a kubernetes operator written with the KubeOps operator sdk. |
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last updated | |
---|---|---|---|
7.6.1 | 42,254 | 9/29/2023 | |
7.6.0 | 2,065 | 9/19/2023 | |
7.5.0 | 648 | 9/13/2023 | |
7.4.5 | 323 | 9/13/2023 | |
7.4.4 | 6,871 | 8/28/2023 | |
7.4.3 | 334 | 8/28/2023 | |
7.4.2 | 4,787 | 7/17/2023 | |
7.4.1 | 402 | 7/17/2023 | |
7.4.0 | 17,266 | 6/26/2023 | |
7.3.0 | 1,324 | 6/1/2023 | |
7.2.0 | 8,718 | 4/14/2023 | |
7.1.2 | 533 | 4/14/2023 | |
7.1.1 | 6,274 | 3/1/2023 | |
7.1.0 | 521 | 3/1/2023 | |
7.0.10 | 575 | 2/27/2023 | |
7.0.9 | 569 | 2/23/2023 | |
7.0.8 | 556 | 2/23/2023 | |
7.0.7 | 744 | 2/14/2023 | |
7.0.6 | 1,021 | 2/6/2023 | |
7.0.5 | 917 | 2/3/2023 | |
7.0.4 | 608 | 1/30/2023 | |
7.0.3 | 571 | 1/30/2023 | |
7.0.2 | 863 | 1/26/2023 | |
7.0.1 | 870 | 1/23/2023 | |
7.0.0 | 574 | 1/19/2023 | |
7.0.0-prerelease.2 | 439 | 6/4/2022 | |
7.0.0-prerelease.1 | 155 | 6/2/2022 | |
6.6.2 | 9,763 | 1/17/2023 | |
6.6.1 | 3,180 | 10/27/2022 | |
6.6.0 | 16,213 | 8/10/2022 | |
6.5.4 | 1,223 | 7/23/2022 | |
6.5.3 | 3,782 | 6/4/2022 | |
6.5.2 | 955 | 6/4/2022 | |
6.5.1 | 1,017 | 6/2/2022 | |
6.5.0 | 1,055 | 5/25/2022 | |
6.4.0 | 1,032 | 5/16/2022 | |
6.3.1 | 4,243 | 5/11/2022 | |
6.3.0 | 2,369 | 4/28/2022 | |
6.2.13 | 3,090 | 2/21/2022 | |
6.2.12 | 1,073 | 2/18/2022 | |
6.2.11 | 1,043 | 2/16/2022 | |
6.2.10 | 1,050 | 2/13/2022 | |
6.2.9 | 6,337 | 2/9/2022 | |
6.2.8 | 1,037 | 2/8/2022 | |
6.2.7 | 1,099 | 2/2/2022 | |
6.2.6 | 1,067 | 2/1/2022 | |
6.2.5 | 1,058 | 1/30/2022 | |
6.2.4 | 1,107 | 1/27/2022 | |
6.2.3 | 994 | 1/27/2022 | |
6.2.2 | 1,035 | 1/24/2022 | |
6.2.1 | 1,218 | 1/12/2022 | |
6.2.0 | 725 | 1/7/2022 | |
6.1.2 | 713 | 1/2/2022 | |
6.1.0 | 849 | 12/26/2021 | |
6.0.18 | 2,447 | 12/15/2021 | |
6.0.17 | 843 | 12/14/2021 | |
6.0.16 | 788 | 12/5/2021 | |
6.0.15 | 743 | 12/4/2021 | |
6.0.14 | 2,075 | 11/19/2021 | |
6.0.13 | 794 | 11/16/2021 | |
6.0.12 | 824 | 11/13/2021 | |
6.0.11 | 872 | 11/8/2021 | |
6.0.10 | 1,494 | 11/3/2021 | |
6.0.9 | 861 | 11/2/2021 | |
6.0.8 | 958 | 10/28/2021 | |
6.0.7 | 910 | 10/27/2021 | |
6.0.6 | 985 | 10/25/2021 | |
6.0.5 | 956 | 10/25/2021 | |
6.0.4 | 890 | 10/21/2021 | |
6.0.3 | 926 | 10/15/2021 | |
6.0.2 | 1,326 | 10/12/2021 | |
6.0.1 | 930 | 10/12/2021 | |
6.0.0 | 1,500 | 10/11/2021 | |
6.0.0-prerelease.5 | 208 | 9/20/2021 | |
6.0.0-prerelease.4 | 166 | 9/20/2021 | |
6.0.0-prerelease.3 | 183 | 9/20/2021 | |
6.0.0-prerelease.2 | 190 | 9/20/2021 | |
6.0.0-prerelease.1 | 173 | 9/20/2021 | |
5.4.9 | 1,144 | 9/30/2021 | |
5.4.8 | 851 | 9/29/2021 | |
5.4.7 | 1,089 | 9/25/2021 | |
5.4.6 | 982 | 9/24/2021 | |
5.4.5 | 961 | 9/22/2021 | |
5.4.4 | 881 | 9/17/2021 | |
5.4.3 | 814 | 9/14/2021 | |
5.4.2 | 907 | 9/14/2021 | |
5.4.1 | 950 | 9/8/2021 | |
5.4.0 | 852 | 9/8/2021 | |
5.3.6 | 971 | 8/27/2021 | |
5.3.5 | 935 | 8/27/2021 | |
5.3.4 | 850 | 8/27/2021 | |
5.3.3 | 889 | 8/26/2021 | |
5.3.2 | 887 | 8/26/2021 | |
5.3.1 | 1,004 | 8/26/2021 | |
5.3.0 | 887 | 8/26/2021 | |
5.2.0 | 957 | 8/24/2021 | |
5.1.4 | 921 | 8/24/2021 | |
5.1.3 | 920 | 8/20/2021 | |
5.1.2 | 976 | 8/19/2021 | |
5.1.1 | 910 | 8/19/2021 | |
5.1.0 | 920 | 8/19/2021 | |
5.1.0-prerelease.2 | 201 | 8/19/2021 | |
5.1.0-prerelease.1 | 199 | 8/19/2021 | |
5.0.2-prerelease.1 | 181 | 8/19/2021 | |
5.0.1 | 912 | 8/18/2021 | |
5.0.0 | 839 | 8/18/2021 | |
4.3.2 | 1,016 | 8/14/2021 | |
4.3.1 | 814 | 8/13/2021 | |
4.3.0 | 831 | 8/13/2021 | |
4.2.0 | 859 | 8/13/2021 | |
4.1.12 | 1,038 | 8/10/2021 | |
4.1.11 | 892 | 8/9/2021 | |
4.1.10 | 840 | 8/6/2021 | |
4.1.9 | 955 | 8/5/2021 | |
4.1.8 | 864 | 8/4/2021 | |
4.1.7 | 900 | 8/4/2021 | |
4.1.6 | 1,066 | 7/22/2021 | |
4.1.5 | 1,032 | 7/13/2021 | |
4.1.4 | 943 | 7/6/2021 | |
4.1.3 | 1,059 | 6/29/2021 | |
4.1.2 | 1,024 | 6/27/2021 | |
4.1.1 | 900 | 6/21/2021 | |
4.1.0 | 1,030 | 6/20/2021 | |
4.0.23 | 1,030 | 6/13/2021 | |
4.0.22 | 927 | 6/8/2021 | |
4.0.21 | 874 | 6/2/2021 | |
4.0.20 | 938 | 5/24/2021 | |
4.0.19 | 889 | 5/19/2021 | |
4.0.17 | 944 | 5/7/2021 | |
4.0.16 | 842 | 5/5/2021 | |
4.0.15 | 903 | 5/4/2021 | |
4.0.14 | 856 | 4/26/2021 | |
4.0.13 | 8,774 | 4/10/2021 | |
4.0.12 | 858 | 4/9/2021 | |
4.0.11 | 911 | 4/8/2021 | |
4.0.10 | 825 | 4/6/2021 | |
4.0.9 | 853 | 4/6/2021 | |
4.0.8 | 918 | 4/3/2021 | |
4.0.7 | 939 | 4/1/2021 | |
4.0.6 | 917 | 3/31/2021 | |
4.0.5 | 959 | 3/27/2021 | |
4.0.4 | 837 | 3/25/2021 | |
4.0.3 | 864 | 3/20/2021 | |
4.0.2 | 898 | 3/19/2021 | |
4.0.1 | 940 | 3/15/2021 | |
4.0.0 | 895 | 3/5/2021 | |
4.0.0-prerelease.2 | 237 | 3/5/2021 | |
4.0.0-prerelease.1 | 238 | 3/4/2021 | |
3.1.1-prerelease.2 | 227 | 2/24/2021 | |
3.1.1-prerelease.1 | 191 | 2/23/2021 | |
3.1.0 | 931 | 2/23/2021 | |
3.1.0-prerelease.4 | 189 | 2/23/2021 | |
3.1.0-prerelease.3 | 189 | 2/22/2021 | |
3.1.0-prerelease.2 | 196 | 2/22/2021 | |
3.1.0-prerelease.1 | 211 | 2/22/2021 | |
3.0.1-prerelease.2 | 189 | 2/21/2021 | |
3.0.1-prerelease.1 | 218 | 2/9/2021 | |
3.0.0 | 915 | 2/8/2021 | |
3.0.0-prerelease.4 | 204 | 2/4/2021 | |
3.0.0-prerelease.3 | 203 | 1/29/2021 | |
3.0.0-prerelease.2 | 200 | 1/29/2021 | |
3.0.0-prerelease.1 | 214 | 1/24/2021 | |
2.5.0 | 1,051 | 12/28/2020 | |
2.4.0 | 835 | 12/11/2020 | |
2.3.0 | 2,786 | 10/26/2020 | |
2.2.0 | 916 | 9/18/2020 | |
2.1.1 | 845 | 9/10/2020 | |
2.1.0 | 922 | 9/10/2020 | |
2.0.0 | 841 | 9/1/2020 | |
1.3.0 | 726 | 8/29/2020 | |
1.2.0 | 806 | 6/25/2020 | |
1.1.2 | 761 | 5/20/2020 | |
1.1.1 | 779 | 5/14/2020 | |
1.1.0 | 778 | 5/13/2020 | |
1.0.3 | 809 | 5/10/2020 | |
1.0.2 | 820 | 5/9/2020 | |
1.0.1 | 758 | 5/8/2020 | |
1.0.0 | 803 | 5/8/2020 |
'## [7.6.1](https://github.com/buehler/dotnet-operator-sdk/compare/v7.6.0...v7.6.1) (2023-09-29)
### Bug Fixes
* Merge Watch & Local events. Switch by uid & type grouping. ([#616](https://github.com/buehler/dotnet-operator-sdk/issues/616)) ([d6031c6](https://github.com/buehler/dotnet-operator-sdk/commit/d6031c64d1dba02822da90804f19dd51f40ebc98)), closes [#585](https://github.com/buehler/dotnet-operator-sdk/issues/585) [#579](https://github.com/buehler/dotnet-operator-sdk/issues/579)
'