eco-goinfra

module
v0.0.0-...-75a2d0c Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Dec 19, 2024 License: Apache-2.0

README

eco-goinfra

Test Incoming Changes Unit Test Coverage license

Overview

The eco-goinfra project contains a collection of generic packages that can be used across various test projects.

Project requirements
  • golang v1.23.x

Usage

In order to re-use code from this project you need to import relevant package/packages in to your project code.

import "github.com/openshift-kni/eco-goinfra/pkg/NAME_OF_A_NEEDED_PACKAGE"

In addition, you need to add link to the project github.com/openshift-kni/eco-goinfra to your local go.mod file

require(
    github.com/openshift-kni/eco-goinfra latest
)
Clients package:

The clients package contains several api clients combined into a single struct. The New function of the clients package returns a ready connection to the cluster api. If the path to kubeconfig is not specified to the new function then the KUBECONFIG environment variable is used. In case of failure client.New("") returns nil.

import "github.com/openshift-kni/eco-goinfra/pkg/clients"

func main() {
    apiClients := clients.New("")
	
    if apiClients == nil {
        panic("Failed to load api client")
        }
    }
)

Client usage example

Cluster Objects

Every cluster object namespace, configmap, daemonset, deployment and other has its own package under packages directory. The structure of any object has common interface:

func NewBuilder() or New[ObjectName]Builder() // Initiates object struct. This function require minimum set of parameters that are required to create the object on a cluster.
func Pull() or Pull[ObjectName]() // Pulls existing object to struct.
func Create()  // Creates new object on cluster if it does not exist.
func Delete() // Removes object from cluster if it exists.
func Update() // Updates object based on new object's definition.
func Exist() // Returns bool if object exist.
func With***() // Set of mutation functions that can mutate any part of the object. 

Please refer to namespace example for more info.

Validator Method

In order to ensure safe access to objects and members, each builder struct should include a validate method. This method should be invoked inside packages before accessing potentially uninitialized code to mitigate unintended errors. Example:

func (builder *Builder) WithMethod(someString string) *Builder {
    if valid, _ := builder.validate(); !valid {
        return builder
    }
    
    glog.V(100).Infof(
        "Updating builder %s in namespace %s with the string: %s",
        builder.Definition.Name, builder.Definition.Namespace, someString
    )
    
    builder.Definition.StringHolder = someString
    
    return builder
}

Typically, validate methods will check that pointers are not nil and that errorMsg has not been set. Here is an example of how the secret package validate method ensures that Builder.apiClient has properly been initialized before being called:

func main() {
	apiClient := clients.New("bad api client")

	_, err := secret.NewBuilder(
        apiClient, "mysecret", "mynamespace", v1SecretTypeDockerConfigJson).Create()
	if err != nil {
		log.Fatal(err)
	}
}

Instead of causing a panic, the method will return a proper error message:

2023/06/16 11:55:58 Loading kube client config from path "bad api client"
2023/06/16 11:55:58 Secret builder cannot have nil apiClient
exit status 1

Please refer to the secret pkg's use of the validate method for more information.

BMC Package

The BMC package can be used to access the BMC's Redfish API, run BMC's CLI commands, or get the systems' serial console. Only the host must be provided in New() while Redfish and SSH credentials, along with other options, can be configured using separate methods.

bmc := bmc.New("1.2.3.4").
    WithRedfishUser("redfishuser1", "redfishpass1").
    WithSSHUser("sshuser1", "sshpass1").
    WithSSHPort(1234)

You can check an example program for the BMC package in usage.

BMC's Redfish API

The access to BMC's Redfish API is done by methods that encapsulate the underlaying HTTP calls made by the external gofish library. The redfish system index is defaulted to 0, but it can be changed with SetSystemIndex():

const systemIndex = 3
err = bmc.SetSystemIndex(systemIndex)
if err != nil {
    ...
}

manufacturer, err := bmc.SystemManufacturer()
if err != nil {
    ...
}

fmt.Printf("System %d's manufacturer: %v", systemIndex, manufacturer)

BMC's CLI

The method RunCLICommand has been implemented to run CLI commands.

func (bmc *BMC) RunCLICommand(cmd string, combineOutput bool, timeout time.Duration) stdout string, stderr string, err error)

This method is not interactive: it blocks the caller until the command ends, copying its output into stdout and stderr strings.

Serial Console

The method OpenSerialConsole can be used to get the systems's serial console, which is tunneled in the an underlaying SSH session.

func (bmc *BMC) OpenSerialConsole(openConsoleCliCmd string) (io.Reader, io.WriteCloser, error)

The user gets a (piped) reader and writer interfaces in order to read the output or write custom input (like CLI commands) in a interactive fashion. A use case for this is a test case that needs to wait for some pattern to appear in the system's serial console after rebooting the system.

The openConsoleCliCmd is the command that will be sent to the BMC's (SSH'd) CLI to open the serial console. In case the user doesn't know the command, it can be left empty. In that case, there's a best effort mechanism that will try to guess the CLI command based on the system's manufacturer, which will be internally retrieved using the Redfish API.

It's important to close the serial console using the method bmc.CloseSerialConsole(), which closes the underlying SSH session. Otherwise, BMC's can reach the maximum number of concurrent SSH sessions making other (SSH'd CLI) commands to fail. See an example program here.

eco-goinfra - How to contribute

The project uses a development method - forking workflow

The following is a step-by-step example of forking workflow:
  1. A developer forks the eco-goinfra project
  2. A new local feature branch is created
  3. A developer makes changes on the new branch.
  4. New commits are created for the changes.
  5. The branch gets pushed to developer's own server-side copy.
  6. Changes are tested.
  7. A developer opens a pull request(PR) from the new branch to the eco-goinfra.
  8. The pull request gets approved from at least 2 reviewers for merge and is merged into the eco-goinfra .
Note: Every new package requires a coverage of ALL its public functions with unit tests. Unit tests are located in the same package as the resource, in a file with the name resource_test.go. Examples can be found in configmap_test.go and metallb_test.go.
Code conventions
Lint

Push requested are tested in a pipeline with golangci-lint. It is advised to add Golangci-lint integration to your development editor. It is recommended to run make lint before uploading a PR.

Functions format

If the function's arguments fit in a single line - use the following format:

func Function(argInt1, argInt2 int, argString1, argString2 string) {
    ...
}

If the function's arguments do not fit in a single line - use the following format:

func Function(
    argInt1 int,
    argInt2 int,
    argInt3 int,
    argInt4 int,
    argString1 string,
    argString2 string,
    argString3 string,
    argString4 string) {
    ...
}

One more acceptable format example:

func Function(
    argInt1, argInt2 int, argString1, argString2 string, argSlice1, argSlice2 []string) {
	
}
Sync Tool and Operator Types

Previously, packages relied on importing the types from individual operators and adding them as dependencies. This has led to eco-goinfra having many dependencies, making it harder to reuse and increasing the chance of version conflicts between indirect dependencies.

By using just the runtime client and removing dependencies on individual operators, the sync tool reduces the number of eco-goinfra dependencies and makes packages more modular. It will periodically copy over types from operator repos to this repo by cloning the desired path in the operator repo, applying changes specified in the config file, and then copying the resulting types into this repo.

Running

To run the sync tool, use the lib-sync makefile target.

make lib-sync

It may be faster to sync only one config file instead using the --config-file flag.

go run ./internal/sync --config-file ./internal/sync/configs/<config-file.yaml>

If the sync fails while adding a new set of operator types, remove the synced directory from schemes/<pkg-to-sync> and rerun the sync.

Configuration

Config files for the sync tool live in the internal/sync/configs directory. A good example of all the features available is in the nvidia-config.yaml file.

Each config is a YAML document with a top level list of objects that follow this form:

- name: operator-repo # 1
  sync: true # 2
  repo_link: "https://github.com/operator/repo" # 3
  branch: main # 4
  remote_api_directory: pkg/apis/v1 # 5
  local_api_directory: schemes/operator/operatortypes # 6
  replace_imports: # 7
    - old: '"github.com/operator/repo/pkg/apis/v1/config"' # 8
      new: '"github.com/openshift-kni/eco-goinfra/pkg/schemes/operator/operatortypes/config"'
    - old: '"github.com/operator/repo/pkg/apis/v1/utils/exec"'
      new: exec "github.com/openshift-kni/eco-goinfra/pkg/schemes/operator/operatortypes/executils" # 9
  excludes:
    - "*_test.go" # 10
  1. Name, which does not have to be unique, identifies the repos in logs and controls where it is cloned during the sync. It should be named using only alphanumeric characters and hyphens, although the name itself does not affect how the repo gets synced.
  2. Sync is whether the operator repo will be synced both periodically and when make lib-sync is used manually.
  3. Repo link is the url of the operator repo itself. It does not need to end in .git.
  4. Branch is the branch of the operator repo to sync with.
  5. Remote API directory is the path in the operator repo to sync with, relative to the operator repo root.
  6. Local API directory is the path in eco-goinfra where the remote API directory should be synced to. Relative to the eco-goinfra root, it should start with schemes/.
  7. The operator may import code from other parts of its repo or even other repos. These imports must be updated to new paths when synced to eco-goinfra. Replace imports is an optional field to allow updating these paths during the sync.
  8. Import replacement is done through find and replace, so we include the double quotes to make sure it is an import being matched.
  9. If the package name in eco-goinfra is different than the operator repo, the import should be renamed so the code still works.
  10. Excludes is an optional list of file patterns to exclude. Since tests and mocks may add their own dependencies, excluding them can reduce how many other dependencies need to be synced.

Like in the nvidia-config.yaml example, it is often the case that one repo will import a few others. All of the imported repos should be specified in the sync config to avoid adding new dependencies.

Using the Synced Types

Instead of directly adding the scheme synced from the operator repo to the clients package, the client scheme should be updated in NewBuilder(), Pull(), and any List***() functions. The metallb package provides a good example of this.

// in NewBuilder
err := apiClient.AttachScheme(mlbtypes.AddToScheme)
if err != nil {
	glog.V(100).Infof("Failed to add metallb scheme to client schemes")

	return nil
}

metallb_test.go provides an example of how to use the schemes in unit tests. There should be a variable for the test schemes.

var mlbTestSchemes = []clients.SchemeAttacher{
	mlbtypes.AddToScheme,
}

And these schemes should be provided when creating the test client.

// in buildMetalLbTestClientWithDummyObject
clients.GetTestClients(clients.TestClientParams{
	K8sMockObjects:  buildDummyMetalLb(),
	SchemeAttachers: mlbTestSchemes,
})

Directories

Path Synopsis
internal
pkg
bmc
bmh
cgu
ibi
kmm
lca
lso
mco
msg
nad
nfd
nto
ocm
olm
pod
ptp
scc
schemes/argocd/argocdoperator
Package v1beta1 contains API Schema definitions for the argoproj.io v1beta1 API group +kubebuilder:object:generate=true +groupName=argoproj.io
Package v1beta1 contains API Schema definitions for the argoproj.io v1beta1 API group +kubebuilder:object:generate=true +groupName=argoproj.io
schemes/assisted/api/hiveextension/v1beta1
Package v1beta1 contains API Schema definitions for the extensions.hive.openshift.io v1beta1 API group +kubebuilder:object:generate=true +groupName=extensions.hive.openshift.io
Package v1beta1 contains API Schema definitions for the extensions.hive.openshift.io v1beta1 API group +kubebuilder:object:generate=true +groupName=extensions.hive.openshift.io
schemes/assisted/api/v1beta1
Package v1beta1 contains API Schema definitions for the agent-install.openshift.io v1beta1 API group +kubebuilder:object:generate=true +groupName=agent-install.openshift.io
Package v1beta1 contains API Schema definitions for the agent-install.openshift.io v1beta1 API group +kubebuilder:object:generate=true +groupName=agent-install.openshift.io
schemes/assisted/hive/api/v1
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package +groupName=hive.openshift.io
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package +groupName=hive.openshift.io
schemes/assisted/hive/api/v1/agent
Package agent contains API Schema definitions for assisted agent based installations.
Package agent contains API Schema definitions for assisted agent based installations.
schemes/assisted/hive/api/v1/aws
Package aws contains API Schema definitions for AWS clusters.
Package aws contains API Schema definitions for AWS clusters.
schemes/assisted/hive/api/v1/azure
Package azure contains API Schema definitions for Azure cluster.
Package azure contains API Schema definitions for Azure cluster.
schemes/assisted/hive/api/v1/baremetal
Package baremetal contains API Schema definitions for bare metal clusters.
Package baremetal contains API Schema definitions for bare metal clusters.
schemes/assisted/hive/api/v1/gcp
Package gcp contains API Schema definitions for GCP clusters.
Package gcp contains API Schema definitions for GCP clusters.
schemes/assisted/hive/api/v1/ibmcloud
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
schemes/assisted/hive/api/v1/metricsconfig
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
schemes/assisted/hive/api/v1/none
Package none contains API Schema definitions for platform-agnostic installations.
Package none contains API Schema definitions for platform-agnostic installations.
schemes/assisted/hive/api/v1/openstack
Package openstack contains API Schema definitions for OpenStack clusters.
Package openstack contains API Schema definitions for OpenStack clusters.
schemes/assisted/hive/api/v1/ovirt
Package ovirt contains ovirt-specific structures for installer configuration and management.
Package ovirt contains ovirt-specific structures for installer configuration and management.
schemes/assisted/hive/api/v1/vsphere
Package vsphere contains contains API Schema definitions for vSphere clusters.
Package vsphere contains contains API Schema definitions for vSphere clusters.
schemes/assisted/hive/scheme
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
schemes/assisted/models
custom.go file has custom models for assisted-service that are not auto-generated via the swagger.yaml file due to the need for custom validation or fields
custom.go file has custom models for assisted-service that are not auto-generated via the swagger.yaml file due to the need for custom validation or fields
schemes/fec/fectypes
Package v1 contains API Schema definitions for the sriovfec v1 API group +kubebuilder:object:generate=true +groupName=sriovfec.intel.com
Package v1 contains API Schema definitions for the sriovfec v1 API group +kubebuilder:object:generate=true +groupName=sriovfec.intel.com
schemes/hive/api/v1
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package,register +k8s:conversion-gen=github.com/openshift/hive/apis/hive +k8s:defaulter-gen=TypeMeta +groupName=hive.openshift.io
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package,register +k8s:conversion-gen=github.com/openshift/hive/apis/hive +k8s:defaulter-gen=TypeMeta +groupName=hive.openshift.io
schemes/hive/api/v1/agent
Package agent contains API Schema definitions for assisted agent based installations.
Package agent contains API Schema definitions for assisted agent based installations.
schemes/hive/api/v1/aws
Package aws contains API Schema definitions for AWS clusters.
Package aws contains API Schema definitions for AWS clusters.
schemes/hive/api/v1/azure
Package azure contains API Schema definitions for Azure cluster.
Package azure contains API Schema definitions for Azure cluster.
schemes/hive/api/v1/baremetal
Package baremetal contains API Schema definitions for bare metal clusters.
Package baremetal contains API Schema definitions for bare metal clusters.
schemes/hive/api/v1/gcp
Package gcp contains API Schema definitions for GCP clusters.
Package gcp contains API Schema definitions for GCP clusters.
schemes/hive/api/v1/ibmcloud
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
schemes/hive/api/v1/metricsconfig
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
schemes/hive/api/v1/none
Package none contains API Schema definitions for platform-agnostic installations.
Package none contains API Schema definitions for platform-agnostic installations.
schemes/hive/api/v1/openstack
Package openstack contains API Schema definitions for OpenStack clusters.
Package openstack contains API Schema definitions for OpenStack clusters.
schemes/hive/api/v1/ovirt
Package ovirt contains ovirt-specific structures for installer configuration and management.
Package ovirt contains ovirt-specific structures for installer configuration and management.
schemes/hive/api/v1/vsphere
Package vsphere contains contains API Schema definitions for vSphere clusters.
Package vsphere contains contains API Schema definitions for vSphere clusters.
schemes/hive/scheme
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
schemes/imagebasedinstall/api/hiveextensions/v1alpha1
Package v1alpha1 contains API Schema definitions for the extensions v1alpha1 API group +kubebuilder:object:generate=true +groupName=extensions.hive.openshift.io
Package v1alpha1 contains API Schema definitions for the extensions v1alpha1 API group +kubebuilder:object:generate=true +groupName=extensions.hive.openshift.io
schemes/imagebasedinstall/hive/api/v1
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package,register +k8s:conversion-gen=github.com/openshift/hive/apis/hive +k8s:defaulter-gen=TypeMeta +groupName=hive.openshift.io
Package v1 contains API Schema definitions for the hive v1 API group +k8s:openapi-gen=true +k8s:deepcopy-gen=package,register +k8s:conversion-gen=github.com/openshift/hive/apis/hive +k8s:defaulter-gen=TypeMeta +groupName=hive.openshift.io
schemes/imagebasedinstall/hive/api/v1/agent
Package agent contains API Schema definitions for assisted agent based installations.
Package agent contains API Schema definitions for assisted agent based installations.
schemes/imagebasedinstall/hive/api/v1/aws
Package aws contains API Schema definitions for AWS clusters.
Package aws contains API Schema definitions for AWS clusters.
schemes/imagebasedinstall/hive/api/v1/azure
Package azure contains API Schema definitions for Azure cluster.
Package azure contains API Schema definitions for Azure cluster.
schemes/imagebasedinstall/hive/api/v1/baremetal
Package baremetal contains API Schema definitions for bare metal clusters.
Package baremetal contains API Schema definitions for bare metal clusters.
schemes/imagebasedinstall/hive/api/v1/gcp
Package gcp contains API Schema definitions for GCP clusters.
Package gcp contains API Schema definitions for GCP clusters.
schemes/imagebasedinstall/hive/api/v1/ibmcloud
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
Package ibmcloud contains API Schema definitions for IBM Cloud clusters.
schemes/imagebasedinstall/hive/api/v1/metricsconfig
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
Package metricsconfig contains API Schema definitions for configurations specific to metrics controller.
schemes/imagebasedinstall/hive/api/v1/none
Package none contains API Schema definitions for platform-agnostic installations.
Package none contains API Schema definitions for platform-agnostic installations.
schemes/imagebasedinstall/hive/api/v1/openstack
Package openstack contains API Schema definitions for OpenStack clusters.
Package openstack contains API Schema definitions for OpenStack clusters.
schemes/imagebasedinstall/hive/api/v1/ovirt
Package ovirt contains ovirt-specific structures for installer configuration and management.
Package ovirt contains ovirt-specific structures for installer configuration and management.
schemes/imagebasedinstall/hive/api/v1/vsphere
Package vsphere contains contains API Schema definitions for vSphere clusters.
Package vsphere contains contains API Schema definitions for vSphere clusters.
schemes/imagebasedinstall/hive/scheme
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
Package scheme contains utilities for gradually building Schemes, which contain information associating Go types with Kubernetes groups, versions, and kinds.
schemes/metallb/frrtypes
Package v1alpha1 contains API Schema definitions for the frrk8s v1alpha1 API group +kubebuilder:object:generate=true +groupName=frrk8s.metallb.io
Package v1alpha1 contains API Schema definitions for the frrk8s v1alpha1 API group +kubebuilder:object:generate=true +groupName=frrk8s.metallb.io
schemes/metallb/mlboperator
Package v1beta1 contains API Schema definitions for the metallb v1beta1 API group +kubebuilder:object:generate=true +groupName=metallb.io
Package v1beta1 contains API Schema definitions for the metallb v1beta1 API group +kubebuilder:object:generate=true +groupName=metallb.io
schemes/metallb/mlbtypes
+groupName=metallb.io
+groupName=metallb.io
schemes/metallb/mlbtypesv1beta2
+groupName=metallb.io
+groupName=metallb.io
schemes/nvidiagpu/nvidiagputypes
Package v1 contains API Schema definitions for the clusterpolicy v1 API group +kubebuilder:object:generate=true +groupName=nvidia.com
Package v1 contains API Schema definitions for the clusterpolicy v1 API group +kubebuilder:object:generate=true +groupName=nvidia.com
schemes/nvidiagpu/semver
Package semver implements comparison of semantic version strings.
Package semver implements comparison of semantic version strings.
schemes/oadp/api/v1alpha1
Package v1alpha1 contains API Schema definitions for the oadp v1alpha1 API group +kubebuilder:object:generate=true +groupName=oadp.openshift.io
Package v1alpha1 contains API Schema definitions for the oadp v1alpha1 API group +kubebuilder:object:generate=true +groupName=oadp.openshift.io
schemes/oadp/velero/api/v1
Package v1 is the v1 version of the API.
Package v1 is the v1 version of the API.
schemes/ocm/clusterv1
+kubebuilder:validation:Optional +groupName=cluster.open-cluster-management.io
+kubebuilder:validation:Optional +groupName=cluster.open-cluster-management.io
schemes/ocm/kacv1
Package v1 contains API Schema definitions for the agent v1 API group +k8s:deepcopy-gen=package,register +groupName=agent.open-cluster-management.io
Package v1 contains API Schema definitions for the agent v1 API group +k8s:deepcopy-gen=package,register +groupName=agent.open-cluster-management.io
schemes/ocs/ceph.rook.io/v1
Package v1 is the v1 version of the API.
Package v1 is the v1 version of the API.
schemes/ocs/noobaa
Package v1alpha1 contains API Schema definitions for the noobaa v1alpha1 API group +k8s:deepcopy-gen=package,register +groupName=noobaa.io
Package v1alpha1 contains API Schema definitions for the noobaa v1alpha1 API group +k8s:deepcopy-gen=package,register +groupName=noobaa.io
schemes/ocs/objectbucket.io/v1alpha1
Package v1alpha1 contains API Schema definitions for the objectbucket v1alpha1 API group +k8s:deepcopy-gen=package,register +groupName=objectbucket.io
Package v1alpha1 contains API Schema definitions for the objectbucket v1alpha1 API group +k8s:deepcopy-gen=package,register +groupName=objectbucket.io
schemes/ocs/operatorv1
Package v1 contains API Schema definitions for the ocs v1 API group +kubebuilder:object:generate=true +groupName=ocs.openshift.io
Package v1 contains API Schema definitions for the ocs v1 API group +kubebuilder:object:generate=true +groupName=ocs.openshift.io
schemes/olm/operators
Package operators contains all resource types of the operators.coreos.com API group.
Package operators contains all resource types of the operators.coreos.com API group.
schemes/olm/operators/v1
Package v1 contains resources types for version v1 of the operators.coreos.com API group.
Package v1 contains resources types for version v1 of the operators.coreos.com API group.
schemes/olm/operators/v1alpha1
Package v1alpha1 contains resources types for version v1alpha1 of the operators.coreos.com API group.
Package v1alpha1 contains resources types for version v1alpha1 of the operators.coreos.com API group.
schemes/olm/operators/v1alpha2
Package v1alpha2 contains resources types for version v1alpha2 of the operators.coreos.com API group.
Package v1alpha2 contains resources types for version v1alpha2 of the operators.coreos.com API group.
schemes/olm/operators/v2
Package v2 contains resources types for version v2 of the operators.coreos.com API group.
Package v2 contains resources types for version v2 of the operators.coreos.com API group.
schemes/olm/package-server/operators
Package operators is the internal version of the API.
Package operators is the internal version of the API.
schemes/olm/package-server/operators/v1
+groupName=operators.coreos.com
+groupName=operators.coreos.com
schemes/siteconfig/v1alpha1
Package v1alpha1 contains API Schema definitions for the siteconfig v1alpha1 API group +kubebuilder:object:generate=true +groupName=siteconfig.open-cluster-management.io
Package v1alpha1 contains API Schema definitions for the siteconfig v1alpha1 API group +kubebuilder:object:generate=true +groupName=siteconfig.open-cluster-management.io
usage
bmc

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL