(feat) Add auto-discovery in k8s | Adarsh
This commit is contained in:
		
							
								
								
									
										33
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/OWNERS
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										33
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/OWNERS
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,33 @@ | ||||
| # See the OWNERS docs at https://go.k8s.io/owners | ||||
|  | ||||
| reviewers: | ||||
| - thockin | ||||
| - smarterclayton | ||||
| - wojtek-t | ||||
| - deads2k | ||||
| - brendandburns | ||||
| - caesarxuchao | ||||
| - liggitt | ||||
| - nikhiljindal | ||||
| - gmarek | ||||
| - erictune | ||||
| - davidopp | ||||
| - sttts | ||||
| - quinton-hoole | ||||
| - luxas | ||||
| - janetkuo | ||||
| - justinsb | ||||
| - ncdc | ||||
| - soltysh | ||||
| - dims | ||||
| - madhusudancs | ||||
| - hongchaodeng | ||||
| - krousey | ||||
| - mml | ||||
| - mbohlool | ||||
| - david-mcmahon | ||||
| - therc | ||||
| - mqliang | ||||
| - kevin-wangzefeng | ||||
| - jianhuiz | ||||
| - feihujiang | ||||
							
								
								
									
										54
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/controller_ref.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										54
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/controller_ref.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,54 @@ | ||||
| /* | ||||
| Copyright 2017 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| ) | ||||
|  | ||||
| // IsControlledBy checks if the  object has a controllerRef set to the given owner | ||||
| func IsControlledBy(obj Object, owner Object) bool { | ||||
| 	ref := GetControllerOf(obj) | ||||
| 	if ref == nil { | ||||
| 		return false | ||||
| 	} | ||||
| 	return ref.UID == owner.GetUID() | ||||
| } | ||||
|  | ||||
| // GetControllerOf returns a pointer to a copy of the controllerRef if controllee has a controller | ||||
| func GetControllerOf(controllee Object) *OwnerReference { | ||||
| 	for _, ref := range controllee.GetOwnerReferences() { | ||||
| 		if ref.Controller != nil && *ref.Controller { | ||||
| 			return &ref | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // NewControllerRef creates an OwnerReference pointing to the given owner. | ||||
| func NewControllerRef(owner Object, gvk schema.GroupVersionKind) *OwnerReference { | ||||
| 	blockOwnerDeletion := true | ||||
| 	isController := true | ||||
| 	return &OwnerReference{ | ||||
| 		APIVersion:         gvk.GroupVersion().String(), | ||||
| 		Kind:               gvk.Kind, | ||||
| 		Name:               owner.GetName(), | ||||
| 		UID:                owner.GetUID(), | ||||
| 		BlockOwnerDeletion: &blockOwnerDeletion, | ||||
| 		Controller:         &isController, | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										319
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/conversion.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										319
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/conversion.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,319 @@ | ||||
| /* | ||||
| Copyright 2014 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"fmt" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
|  | ||||
| 	"k8s.io/apimachinery/pkg/api/resource" | ||||
| 	"k8s.io/apimachinery/pkg/conversion" | ||||
| 	"k8s.io/apimachinery/pkg/fields" | ||||
| 	"k8s.io/apimachinery/pkg/labels" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/util/intstr" | ||||
| ) | ||||
|  | ||||
| func AddConversionFuncs(scheme *runtime.Scheme) error { | ||||
| 	return scheme.AddConversionFuncs( | ||||
| 		Convert_v1_TypeMeta_To_v1_TypeMeta, | ||||
|  | ||||
| 		Convert_v1_ListMeta_To_v1_ListMeta, | ||||
|  | ||||
| 		Convert_intstr_IntOrString_To_intstr_IntOrString, | ||||
|  | ||||
| 		Convert_Pointer_v1_Duration_To_v1_Duration, | ||||
| 		Convert_v1_Duration_To_Pointer_v1_Duration, | ||||
|  | ||||
| 		Convert_Slice_string_To_v1_Time, | ||||
|  | ||||
| 		Convert_v1_Time_To_v1_Time, | ||||
| 		Convert_v1_MicroTime_To_v1_MicroTime, | ||||
|  | ||||
| 		Convert_resource_Quantity_To_resource_Quantity, | ||||
|  | ||||
| 		Convert_string_To_labels_Selector, | ||||
| 		Convert_labels_Selector_To_string, | ||||
|  | ||||
| 		Convert_string_To_fields_Selector, | ||||
| 		Convert_fields_Selector_To_string, | ||||
|  | ||||
| 		Convert_Pointer_bool_To_bool, | ||||
| 		Convert_bool_To_Pointer_bool, | ||||
|  | ||||
| 		Convert_Pointer_string_To_string, | ||||
| 		Convert_string_To_Pointer_string, | ||||
|  | ||||
| 		Convert_Pointer_int64_To_int, | ||||
| 		Convert_int_To_Pointer_int64, | ||||
|  | ||||
| 		Convert_Pointer_int32_To_int32, | ||||
| 		Convert_int32_To_Pointer_int32, | ||||
|  | ||||
| 		Convert_Pointer_int64_To_int64, | ||||
| 		Convert_int64_To_Pointer_int64, | ||||
|  | ||||
| 		Convert_Pointer_float64_To_float64, | ||||
| 		Convert_float64_To_Pointer_float64, | ||||
|  | ||||
| 		Convert_Map_string_To_string_To_v1_LabelSelector, | ||||
| 		Convert_v1_LabelSelector_To_Map_string_To_string, | ||||
|  | ||||
| 		Convert_Slice_string_To_Slice_int32, | ||||
|  | ||||
| 		Convert_Slice_string_To_v1_DeletionPropagation, | ||||
| 	) | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_float64_To_float64(in **float64, out *float64, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = 0 | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = float64(**in) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_float64_To_Pointer_float64(in *float64, out **float64, s conversion.Scope) error { | ||||
| 	temp := float64(*in) | ||||
| 	*out = &temp | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_int32_To_int32(in **int32, out *int32, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = 0 | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = int32(**in) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_int32_To_Pointer_int32(in *int32, out **int32, s conversion.Scope) error { | ||||
| 	temp := int32(*in) | ||||
| 	*out = &temp | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_int64_To_int64(in **int64, out *int64, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = 0 | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = int64(**in) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_int64_To_Pointer_int64(in *int64, out **int64, s conversion.Scope) error { | ||||
| 	temp := int64(*in) | ||||
| 	*out = &temp | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_int64_To_int(in **int64, out *int, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = 0 | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = int(**in) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_int_To_Pointer_int64(in *int, out **int64, s conversion.Scope) error { | ||||
| 	temp := int64(*in) | ||||
| 	*out = &temp | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_string_To_string(in **string, out *string, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = "" | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = **in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_string_To_Pointer_string(in *string, out **string, s conversion.Scope) error { | ||||
| 	if in == nil { | ||||
| 		stringVar := "" | ||||
| 		*out = &stringVar | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_bool_To_bool(in **bool, out *bool, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = false | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = **in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_bool_To_Pointer_bool(in *bool, out **bool, s conversion.Scope) error { | ||||
| 	if in == nil { | ||||
| 		boolVar := false | ||||
| 		*out = &boolVar | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=drop | ||||
| func Convert_v1_TypeMeta_To_v1_TypeMeta(in, out *TypeMeta, s conversion.Scope) error { | ||||
| 	// These values are explicitly not copied | ||||
| 	//out.APIVersion = in.APIVersion | ||||
| 	//out.Kind = in.Kind | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=copy-only | ||||
| func Convert_v1_ListMeta_To_v1_ListMeta(in, out *ListMeta, s conversion.Scope) error { | ||||
| 	*out = *in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=copy-only | ||||
| func Convert_intstr_IntOrString_To_intstr_IntOrString(in, out *intstr.IntOrString, s conversion.Scope) error { | ||||
| 	*out = *in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=copy-only | ||||
| func Convert_v1_Time_To_v1_Time(in *Time, out *Time, s conversion.Scope) error { | ||||
| 	// Cannot deep copy these, because time.Time has unexported fields. | ||||
| 	*out = *in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=copy-only | ||||
| func Convert_v1_MicroTime_To_v1_MicroTime(in *MicroTime, out *MicroTime, s conversion.Scope) error { | ||||
| 	// Cannot deep copy these, because time.Time has unexported fields. | ||||
| 	*out = *in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Pointer_v1_Duration_To_v1_Duration(in **Duration, out *Duration, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		*out = Duration{} // zero duration | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = **in // copy | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_v1_Duration_To_Pointer_v1_Duration(in *Duration, out **Duration, s conversion.Scope) error { | ||||
| 	temp := *in //copy | ||||
| 	*out = &temp | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Convert_Slice_string_To_v1_Time allows converting a URL query parameter value | ||||
| func Convert_Slice_string_To_v1_Time(input *[]string, out *Time, s conversion.Scope) error { | ||||
| 	str := "" | ||||
| 	if len(*input) > 0 { | ||||
| 		str = (*input)[0] | ||||
| 	} | ||||
| 	return out.UnmarshalQueryParameter(str) | ||||
| } | ||||
|  | ||||
| func Convert_string_To_labels_Selector(in *string, out *labels.Selector, s conversion.Scope) error { | ||||
| 	selector, err := labels.Parse(*in) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	*out = selector | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_string_To_fields_Selector(in *string, out *fields.Selector, s conversion.Scope) error { | ||||
| 	selector, err := fields.ParseSelector(*in) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	*out = selector | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_labels_Selector_To_string(in *labels.Selector, out *string, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = (*in).String() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_fields_Selector_To_string(in *fields.Selector, out *string, s conversion.Scope) error { | ||||
| 	if *in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	*out = (*in).String() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // +k8s:conversion-fn=copy-only | ||||
| func Convert_resource_Quantity_To_resource_Quantity(in *resource.Quantity, out *resource.Quantity, s conversion.Scope) error { | ||||
| 	*out = *in | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_Map_string_To_string_To_v1_LabelSelector(in *map[string]string, out *LabelSelector, s conversion.Scope) error { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	for labelKey, labelValue := range *in { | ||||
| 		AddLabelToSelector(out, labelKey, labelValue) | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_v1_LabelSelector_To_Map_string_To_string(in *LabelSelector, out *map[string]string, s conversion.Scope) error { | ||||
| 	var err error | ||||
| 	*out, err = LabelSelectorAsMap(in) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // Convert_Slice_string_To_Slice_int32 converts multiple query parameters or | ||||
| // a single query parameter with a comma delimited value to multiple int32. | ||||
| // This is used for port forwarding which needs the ports as int32. | ||||
| func Convert_Slice_string_To_Slice_int32(in *[]string, out *[]int32, s conversion.Scope) error { | ||||
| 	for _, s := range *in { | ||||
| 		for _, v := range strings.Split(s, ",") { | ||||
| 			x, err := strconv.ParseUint(v, 10, 16) | ||||
| 			if err != nil { | ||||
| 				return fmt.Errorf("cannot convert to []int32: %v", err) | ||||
| 			} | ||||
| 			*out = append(*out, int32(x)) | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Convert_Slice_string_To_v1_DeletionPropagation allows converting a URL query parameter propagationPolicy | ||||
| func Convert_Slice_string_To_v1_DeletionPropagation(input *[]string, out *DeletionPropagation, s conversion.Scope) error { | ||||
| 	if len(*input) > 0 { | ||||
| 		*out = DeletionPropagation((*input)[0]) | ||||
| 	} else { | ||||
| 		*out = "" | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										23
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										23
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,23 @@ | ||||
| /* | ||||
| Copyright 2016 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. | ||||
| */ | ||||
|  | ||||
| // +k8s:deepcopy-gen=package | ||||
| // +k8s:openapi-gen=true | ||||
| // +k8s:defaulter-gen=TypeMeta | ||||
|  | ||||
| // +groupName=meta.k8s.io | ||||
|  | ||||
| package v1 // import "k8s.io/apimachinery/pkg/apis/meta/v1" | ||||
							
								
								
									
										60
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/duration.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										60
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/duration.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,60 @@ | ||||
| /* | ||||
| Copyright 2014 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // Duration is a wrapper around time.Duration which supports correct | ||||
| // marshaling to YAML and JSON. In particular, it marshals into strings, which | ||||
| // can be used as map keys in json. | ||||
| type Duration struct { | ||||
| 	time.Duration `protobuf:"varint,1,opt,name=duration,casttype=time.Duration"` | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements the json.Unmarshaller interface. | ||||
| func (d *Duration) UnmarshalJSON(b []byte) error { | ||||
| 	var str string | ||||
| 	err := json.Unmarshal(b, &str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	pd, err := time.ParseDuration(str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	d.Duration = pd | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements the json.Marshaler interface. | ||||
| func (d Duration) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(d.Duration.String()) | ||||
| } | ||||
|  | ||||
| // OpenAPISchemaType is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| // | ||||
| // See: https://github.com/kubernetes/kube-openapi/tree/master/pkg/generators | ||||
| func (_ Duration) OpenAPISchemaType() []string { return []string{"string"} } | ||||
|  | ||||
| // OpenAPISchemaFormat is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| func (_ Duration) OpenAPISchemaFormat() string { return "" } | ||||
							
								
								
									
										9208
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/generated.pb.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										9208
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/generated.pb.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										984
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/generated.proto
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										984
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/generated.proto
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,984 @@ | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
|  | ||||
| // This file was autogenerated by go-to-protobuf. Do not edit it manually! | ||||
|  | ||||
| syntax = 'proto2'; | ||||
|  | ||||
| package k8s.io.apimachinery.pkg.apis.meta.v1; | ||||
|  | ||||
| import "k8s.io/apimachinery/pkg/runtime/generated.proto"; | ||||
| import "k8s.io/apimachinery/pkg/runtime/schema/generated.proto"; | ||||
|  | ||||
| // Package-wide variables from generator "generated". | ||||
| option go_package = "v1"; | ||||
|  | ||||
| // APIGroup contains the name, the supported versions, and the preferred version | ||||
| // of a group. | ||||
| message APIGroup { | ||||
|   // name is the name of the group. | ||||
|   optional string name = 1; | ||||
|  | ||||
|   // versions are the versions supported in this group. | ||||
|   repeated GroupVersionForDiscovery versions = 2; | ||||
|  | ||||
|   // preferredVersion is the version preferred by the API server, which | ||||
|   // probably is the storage version. | ||||
|   // +optional | ||||
|   optional GroupVersionForDiscovery preferredVersion = 3; | ||||
|  | ||||
|   // a map of client CIDR to server address that is serving this group. | ||||
|   // This is to help clients reach servers in the most network-efficient way possible. | ||||
|   // Clients can use the appropriate server address as per the CIDR that they match. | ||||
|   // In case of multiple matches, clients should use the longest matching CIDR. | ||||
|   // The server returns only those CIDRs that it thinks that the client can match. | ||||
|   // For example: the master will return an internal IP CIDR only, if the client reaches the server using an internal IP. | ||||
|   // Server looks at X-Forwarded-For header or X-Real-Ip header or request.RemoteAddr (in that order) to get the client IP. | ||||
|   // +optional | ||||
|   repeated ServerAddressByClientCIDR serverAddressByClientCIDRs = 4; | ||||
| } | ||||
|  | ||||
| // APIGroupList is a list of APIGroup, to allow clients to discover the API at | ||||
| // /apis. | ||||
| message APIGroupList { | ||||
|   // groups is a list of APIGroup. | ||||
|   repeated APIGroup groups = 1; | ||||
| } | ||||
|  | ||||
| // APIResource specifies the name of a resource and whether it is namespaced. | ||||
| message APIResource { | ||||
|   // name is the plural name of the resource. | ||||
|   optional string name = 1; | ||||
|  | ||||
|   // singularName is the singular name of the resource.  This allows clients to handle plural and singular opaquely. | ||||
|   // The singularName is more correct for reporting status on a single item and both singular and plural are allowed | ||||
|   // from the kubectl CLI interface. | ||||
|   optional string singularName = 6; | ||||
|  | ||||
|   // namespaced indicates if a resource is namespaced or not. | ||||
|   optional bool namespaced = 2; | ||||
|  | ||||
|   // group is the preferred group of the resource.  Empty implies the group of the containing resource list. | ||||
|   // For subresources, this may have a different value, for example: Scale". | ||||
|   optional string group = 8; | ||||
|  | ||||
|   // version is the preferred version of the resource.  Empty implies the version of the containing resource list | ||||
|   // For subresources, this may have a different value, for example: v1 (while inside a v1beta1 version of the core resource's group)". | ||||
|   optional string version = 9; | ||||
|  | ||||
|   // kind is the kind for the resource (e.g. 'Foo' is the kind for a resource 'foo') | ||||
|   optional string kind = 3; | ||||
|  | ||||
|   // verbs is a list of supported kube verbs (this includes get, list, watch, create, | ||||
|   // update, patch, delete, deletecollection, and proxy) | ||||
|   optional Verbs verbs = 4; | ||||
|  | ||||
|   // shortNames is a list of suggested short names of the resource. | ||||
|   repeated string shortNames = 5; | ||||
|  | ||||
|   // categories is a list of the grouped resources this resource belongs to (e.g. 'all') | ||||
|   repeated string categories = 7; | ||||
|  | ||||
|   // The hash value of the storage version, the version this resource is | ||||
|   // converted to when written to the data store. Value must be treated | ||||
|   // as opaque by clients. Only equality comparison on the value is valid. | ||||
|   // This is an alpha feature and may change or be removed in the future. | ||||
|   // The field is populated by the apiserver only if the | ||||
|   // StorageVersionHash feature gate is enabled. | ||||
|   // This field will remain optional even if it graduates. | ||||
|   // +optional | ||||
|   optional string storageVersionHash = 10; | ||||
| } | ||||
|  | ||||
| // APIResourceList is a list of APIResource, it is used to expose the name of the | ||||
| // resources supported in a specific group and version, and if the resource | ||||
| // is namespaced. | ||||
| message APIResourceList { | ||||
|   // groupVersion is the group and version this APIResourceList is for. | ||||
|   optional string groupVersion = 1; | ||||
|  | ||||
|   // resources contains the name of the resources and if they are namespaced. | ||||
|   repeated APIResource resources = 2; | ||||
| } | ||||
|  | ||||
| // APIVersions lists the versions that are available, to allow clients to | ||||
| // discover the API at /api, which is the root path of the legacy v1 API. | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| message APIVersions { | ||||
|   // versions are the api versions that are available. | ||||
|   repeated string versions = 1; | ||||
|  | ||||
|   // a map of client CIDR to server address that is serving this group. | ||||
|   // This is to help clients reach servers in the most network-efficient way possible. | ||||
|   // Clients can use the appropriate server address as per the CIDR that they match. | ||||
|   // In case of multiple matches, clients should use the longest matching CIDR. | ||||
|   // The server returns only those CIDRs that it thinks that the client can match. | ||||
|   // For example: the master will return an internal IP CIDR only, if the client reaches the server using an internal IP. | ||||
|   // Server looks at X-Forwarded-For header or X-Real-Ip header or request.RemoteAddr (in that order) to get the client IP. | ||||
|   repeated ServerAddressByClientCIDR serverAddressByClientCIDRs = 2; | ||||
| } | ||||
|  | ||||
| // CreateOptions may be provided when creating an API object. | ||||
| message CreateOptions { | ||||
|   // When present, indicates that modifications should not be | ||||
|   // persisted. An invalid or unrecognized dryRun directive will | ||||
|   // result in an error response and no further processing of the | ||||
|   // request. Valid values are: | ||||
|   // - All: all dry run stages will be processed | ||||
|   // +optional | ||||
|   repeated string dryRun = 1; | ||||
|  | ||||
|   // fieldManager is a name associated with the actor or entity | ||||
|   // that is making these changes. The value must be less than or | ||||
|   // 128 characters long, and only contain printable characters, | ||||
|   // as defined by https://golang.org/pkg/unicode/#IsPrint. | ||||
|   // +optional | ||||
|   optional string fieldManager = 3; | ||||
| } | ||||
|  | ||||
| // DeleteOptions may be provided when deleting an API object. | ||||
| message DeleteOptions { | ||||
|   // The duration in seconds before the object should be deleted. Value must be non-negative integer. | ||||
|   // The value zero indicates delete immediately. If this value is nil, the default grace period for the | ||||
|   // specified type will be used. | ||||
|   // Defaults to a per object value if not specified. zero means delete immediately. | ||||
|   // +optional | ||||
|   optional int64 gracePeriodSeconds = 1; | ||||
|  | ||||
|   // Must be fulfilled before a deletion is carried out. If not possible, a 409 Conflict status will be | ||||
|   // returned. | ||||
|   // +optional | ||||
|   optional Preconditions preconditions = 2; | ||||
|  | ||||
|   // Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. | ||||
|   // Should the dependent objects be orphaned. If true/false, the "orphan" | ||||
|   // finalizer will be added to/removed from the object's finalizers list. | ||||
|   // Either this field or PropagationPolicy may be set, but not both. | ||||
|   // +optional | ||||
|   optional bool orphanDependents = 3; | ||||
|  | ||||
|   // Whether and how garbage collection will be performed. | ||||
|   // Either this field or OrphanDependents may be set, but not both. | ||||
|   // The default policy is decided by the existing finalizer set in the | ||||
|   // metadata.finalizers and the resource-specific default policy. | ||||
|   // Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - | ||||
|   // allow the garbage collector to delete the dependents in the background; | ||||
|   // 'Foreground' - a cascading policy that deletes all dependents in the | ||||
|   // foreground. | ||||
|   // +optional | ||||
|   optional string propagationPolicy = 4; | ||||
|  | ||||
|   // When present, indicates that modifications should not be | ||||
|   // persisted. An invalid or unrecognized dryRun directive will | ||||
|   // result in an error response and no further processing of the | ||||
|   // request. Valid values are: | ||||
|   // - All: all dry run stages will be processed | ||||
|   // +optional | ||||
|   repeated string dryRun = 5; | ||||
| } | ||||
|  | ||||
| // Duration is a wrapper around time.Duration which supports correct | ||||
| // marshaling to YAML and JSON. In particular, it marshals into strings, which | ||||
| // can be used as map keys in json. | ||||
| message Duration { | ||||
|   optional int64 duration = 1; | ||||
| } | ||||
|  | ||||
| // ExportOptions is the query options to the standard REST get call. | ||||
| // Deprecated. Planned for removal in 1.18. | ||||
| message ExportOptions { | ||||
|   // Should this value be exported.  Export strips fields that a user can not specify. | ||||
|   // Deprecated. Planned for removal in 1.18. | ||||
|   optional bool export = 1; | ||||
|  | ||||
|   // Should the export be exact.  Exact export maintains cluster-specific fields like 'Namespace'. | ||||
|   // Deprecated. Planned for removal in 1.18. | ||||
|   optional bool exact = 2; | ||||
| } | ||||
|  | ||||
| // Fields stores a set of fields in a data structure like a Trie. | ||||
| // To understand how this is used, see: https://github.com/kubernetes-sigs/structured-merge-diff | ||||
| message Fields { | ||||
|   // Map stores a set of fields in a data structure like a Trie. | ||||
|   // | ||||
|   // Each key is either a '.' representing the field itself, and will always map to an empty set, | ||||
|   // or a string representing a sub-field or item. The string will follow one of these four formats: | ||||
|   // 'f:<name>', where <name> is the name of a field in a struct, or key in a map | ||||
|   // 'v:<value>', where <value> is the exact json formatted value of a list item | ||||
|   // 'i:<index>', where <index> is position of a item in a list | ||||
|   // 'k:<keys>', where <keys> is a map of  a list item's key fields to their unique values | ||||
|   // If a key maps to an empty Fields value, the field that key represents is part of the set. | ||||
|   // | ||||
|   // The exact format is defined in k8s.io/apiserver/pkg/endpoints/handlers/fieldmanager/internal | ||||
|   map<string, Fields> map = 1; | ||||
| } | ||||
|  | ||||
| // GetOptions is the standard query options to the standard REST get call. | ||||
| message GetOptions { | ||||
|   // When specified: | ||||
|   // - if unset, then the result is returned from remote storage based on quorum-read flag; | ||||
|   // - if it's 0, then we simply return what we currently have in cache, no guarantee; | ||||
|   // - if set to non zero, then the result is at least as fresh as given rv. | ||||
|   optional string resourceVersion = 1; | ||||
| } | ||||
|  | ||||
| // GroupKind specifies a Group and a Kind, but does not force a version.  This is useful for identifying | ||||
| // concepts during lookup stages without having partially valid types | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message GroupKind { | ||||
|   optional string group = 1; | ||||
|  | ||||
|   optional string kind = 2; | ||||
| } | ||||
|  | ||||
| // GroupResource specifies a Group and a Resource, but does not force a version.  This is useful for identifying | ||||
| // concepts during lookup stages without having partially valid types | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message GroupResource { | ||||
|   optional string group = 1; | ||||
|  | ||||
|   optional string resource = 2; | ||||
| } | ||||
|  | ||||
| // GroupVersion contains the "group" and the "version", which uniquely identifies the API. | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message GroupVersion { | ||||
|   optional string group = 1; | ||||
|  | ||||
|   optional string version = 2; | ||||
| } | ||||
|  | ||||
| // GroupVersion contains the "group/version" and "version" string of a version. | ||||
| // It is made a struct to keep extensibility. | ||||
| message GroupVersionForDiscovery { | ||||
|   // groupVersion specifies the API group and version in the form "group/version" | ||||
|   optional string groupVersion = 1; | ||||
|  | ||||
|   // version specifies the version in the form of "version". This is to save | ||||
|   // the clients the trouble of splitting the GroupVersion. | ||||
|   optional string version = 2; | ||||
| } | ||||
|  | ||||
| // GroupVersionKind unambiguously identifies a kind.  It doesn't anonymously include GroupVersion | ||||
| // to avoid automatic coersion.  It doesn't use a GroupVersion to avoid custom marshalling | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message GroupVersionKind { | ||||
|   optional string group = 1; | ||||
|  | ||||
|   optional string version = 2; | ||||
|  | ||||
|   optional string kind = 3; | ||||
| } | ||||
|  | ||||
| // GroupVersionResource unambiguously identifies a resource.  It doesn't anonymously include GroupVersion | ||||
| // to avoid automatic coersion.  It doesn't use a GroupVersion to avoid custom marshalling | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message GroupVersionResource { | ||||
|   optional string group = 1; | ||||
|  | ||||
|   optional string version = 2; | ||||
|  | ||||
|   optional string resource = 3; | ||||
| } | ||||
|  | ||||
| // Initializer is information about an initializer that has not yet completed. | ||||
| message Initializer { | ||||
|   // name of the process that is responsible for initializing this object. | ||||
|   optional string name = 1; | ||||
| } | ||||
|  | ||||
| // Initializers tracks the progress of initialization. | ||||
| message Initializers { | ||||
|   // Pending is a list of initializers that must execute in order before this object is visible. | ||||
|   // When the last pending initializer is removed, and no failing result is set, the initializers | ||||
|   // struct will be set to nil and the object is considered as initialized and visible to all | ||||
|   // clients. | ||||
|   // +patchMergeKey=name | ||||
|   // +patchStrategy=merge | ||||
|   repeated Initializer pending = 1; | ||||
|  | ||||
|   // If result is set with the Failure field, the object will be persisted to storage and then deleted, | ||||
|   // ensuring that other clients can observe the deletion. | ||||
|   optional Status result = 2; | ||||
| } | ||||
|  | ||||
| // A label selector is a label query over a set of resources. The result of matchLabels and | ||||
| // matchExpressions are ANDed. An empty label selector matches all objects. A null | ||||
| // label selector matches no objects. | ||||
| message LabelSelector { | ||||
|   // matchLabels is a map of {key,value} pairs. A single {key,value} in the matchLabels | ||||
|   // map is equivalent to an element of matchExpressions, whose key field is "key", the | ||||
|   // operator is "In", and the values array contains only "value". The requirements are ANDed. | ||||
|   // +optional | ||||
|   map<string, string> matchLabels = 1; | ||||
|  | ||||
|   // matchExpressions is a list of label selector requirements. The requirements are ANDed. | ||||
|   // +optional | ||||
|   repeated LabelSelectorRequirement matchExpressions = 2; | ||||
| } | ||||
|  | ||||
| // A label selector requirement is a selector that contains values, a key, and an operator that | ||||
| // relates the key and values. | ||||
| message LabelSelectorRequirement { | ||||
|   // key is the label key that the selector applies to. | ||||
|   // +patchMergeKey=key | ||||
|   // +patchStrategy=merge | ||||
|   optional string key = 1; | ||||
|  | ||||
|   // operator represents a key's relationship to a set of values. | ||||
|   // Valid operators are In, NotIn, Exists and DoesNotExist. | ||||
|   optional string operator = 2; | ||||
|  | ||||
|   // values is an array of string values. If the operator is In or NotIn, | ||||
|   // the values array must be non-empty. If the operator is Exists or DoesNotExist, | ||||
|   // the values array must be empty. This array is replaced during a strategic | ||||
|   // merge patch. | ||||
|   // +optional | ||||
|   repeated string values = 3; | ||||
| } | ||||
|  | ||||
| // List holds a list of objects, which may not be known by the server. | ||||
| message List { | ||||
|   // Standard list metadata. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
|   // +optional | ||||
|   optional ListMeta metadata = 1; | ||||
|  | ||||
|   // List of objects | ||||
|   repeated k8s.io.apimachinery.pkg.runtime.RawExtension items = 2; | ||||
| } | ||||
|  | ||||
| // ListMeta describes metadata that synthetic resources must have, including lists and | ||||
| // various status objects. A resource may have only one of {ObjectMeta, ListMeta}. | ||||
| message ListMeta { | ||||
|   // selfLink is a URL representing this object. | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // +optional | ||||
|   optional string selfLink = 1; | ||||
|  | ||||
|   // String that identifies the server's internal version of this object that | ||||
|   // can be used by clients to determine when objects have changed. | ||||
|   // Value must be treated as opaque by clients and passed unmodified back to the server. | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#concurrency-control-and-consistency | ||||
|   // +optional | ||||
|   optional string resourceVersion = 2; | ||||
|  | ||||
|   // continue may be set if the user set a limit on the number of items returned, and indicates that | ||||
|   // the server has more data available. The value is opaque and may be used to issue another request | ||||
|   // to the endpoint that served this list to retrieve the next set of available objects. Continuing a | ||||
|   // consistent list may not be possible if the server configuration has changed or more than a few | ||||
|   // minutes have passed. The resourceVersion field returned when using this continue value will be | ||||
|   // identical to the value in the first response, unless you have received this token from an error | ||||
|   // message. | ||||
|   optional string continue = 3; | ||||
| } | ||||
|  | ||||
| // ListOptions is the query options to a standard REST list call. | ||||
| message ListOptions { | ||||
|   // A selector to restrict the list of returned objects by their labels. | ||||
|   // Defaults to everything. | ||||
|   // +optional | ||||
|   optional string labelSelector = 1; | ||||
|  | ||||
|   // A selector to restrict the list of returned objects by their fields. | ||||
|   // Defaults to everything. | ||||
|   // +optional | ||||
|   optional string fieldSelector = 2; | ||||
|  | ||||
|   // Watch for changes to the described resources and return them as a stream of | ||||
|   // add, update, and remove notifications. Specify resourceVersion. | ||||
|   // +optional | ||||
|   optional bool watch = 3; | ||||
|  | ||||
|   // When specified with a watch call, shows changes that occur after that particular version of a resource. | ||||
|   // Defaults to changes from the beginning of history. | ||||
|   // When specified for list: | ||||
|   // - if unset, then the result is returned from remote storage based on quorum-read flag; | ||||
|   // - if it's 0, then we simply return what we currently have in cache, no guarantee; | ||||
|   // - if set to non zero, then the result is at least as fresh as given rv. | ||||
|   // +optional | ||||
|   optional string resourceVersion = 4; | ||||
|  | ||||
|   // Timeout for the list/watch call. | ||||
|   // This limits the duration of the call, regardless of any activity or inactivity. | ||||
|   // +optional | ||||
|   optional int64 timeoutSeconds = 5; | ||||
|  | ||||
|   // limit is a maximum number of responses to return for a list call. If more items exist, the | ||||
|   // server will set the `continue` field on the list metadata to a value that can be used with the | ||||
|   // same initial query to retrieve the next set of results. Setting a limit may return fewer than | ||||
|   // the requested amount of items (up to zero items) in the event all requested objects are | ||||
|   // filtered out and clients should only use the presence of the continue field to determine whether | ||||
|   // more results are available. Servers may choose not to support the limit argument and will return | ||||
|   // all of the available results. If limit is specified and the continue field is empty, clients may | ||||
|   // assume that no more results are available. This field is not supported if watch is true. | ||||
|   // | ||||
|   // The server guarantees that the objects returned when using continue will be identical to issuing | ||||
|   // a single list call without a limit - that is, no objects created, modified, or deleted after the | ||||
|   // first request is issued will be included in any subsequent continued requests. This is sometimes | ||||
|   // referred to as a consistent snapshot, and ensures that a client that is using limit to receive | ||||
|   // smaller chunks of a very large result can ensure they see all possible objects. If objects are | ||||
|   // updated during a chunked list the version of the object that was present at the time the first list | ||||
|   // result was calculated is returned. | ||||
|   optional int64 limit = 7; | ||||
|  | ||||
|   // The continue option should be set when retrieving more results from the server. Since this value is | ||||
|   // server defined, clients may only use the continue value from a previous query result with identical | ||||
|   // query parameters (except for the value of continue) and the server may reject a continue value it | ||||
|   // does not recognize. If the specified continue value is no longer valid whether due to expiration | ||||
|   // (generally five to fifteen minutes) or a configuration change on the server, the server will | ||||
|   // respond with a 410 ResourceExpired error together with a continue token. If the client needs a | ||||
|   // consistent list, it must restart their list without the continue field. Otherwise, the client may | ||||
|   // send another list request with the token received with the 410 error, the server will respond with | ||||
|   // a list starting from the next key, but from the latest snapshot, which is inconsistent from the | ||||
|   // previous list results - objects that are created, modified, or deleted after the first list request | ||||
|   // will be included in the response, as long as their keys are after the "next key". | ||||
|   // | ||||
|   // This field is not supported when watch is true. Clients may start a watch from the last | ||||
|   // resourceVersion value returned by the server and not miss any modifications. | ||||
|   optional string continue = 8; | ||||
| } | ||||
|  | ||||
| // ManagedFieldsEntry is a workflow-id, a FieldSet and the group version of the resource | ||||
| // that the fieldset applies to. | ||||
| message ManagedFieldsEntry { | ||||
|   // Manager is an identifier of the workflow managing these fields. | ||||
|   optional string manager = 1; | ||||
|  | ||||
|   // Operation is the type of operation which lead to this ManagedFieldsEntry being created. | ||||
|   // The only valid values for this field are 'Apply' and 'Update'. | ||||
|   optional string operation = 2; | ||||
|  | ||||
|   // APIVersion defines the version of this resource that this field set | ||||
|   // applies to. The format is "group/version" just like the top-level | ||||
|   // APIVersion field. It is necessary to track the version of a field | ||||
|   // set because it cannot be automatically converted. | ||||
|   optional string apiVersion = 3; | ||||
|  | ||||
|   // Time is timestamp of when these fields were set. It should always be empty if Operation is 'Apply' | ||||
|   // +optional | ||||
|   optional Time time = 4; | ||||
|  | ||||
|   // Fields identifies a set of fields. | ||||
|   // +optional | ||||
|   optional Fields fields = 5; | ||||
| } | ||||
|  | ||||
| // MicroTime is version of Time with microsecond level precision. | ||||
| // | ||||
| // +protobuf.options.marshal=false | ||||
| // +protobuf.as=Timestamp | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message MicroTime { | ||||
|   // Represents seconds of UTC time since Unix epoch | ||||
|   // 1970-01-01T00:00:00Z. Must be from 0001-01-01T00:00:00Z to | ||||
|   // 9999-12-31T23:59:59Z inclusive. | ||||
|   optional int64 seconds = 1; | ||||
|  | ||||
|   // Non-negative fractions of a second at nanosecond resolution. Negative | ||||
|   // second values with fractions must still have non-negative nanos values | ||||
|   // that count forward in time. Must be from 0 to 999,999,999 | ||||
|   // inclusive. This field may be limited in precision depending on context. | ||||
|   optional int32 nanos = 2; | ||||
| } | ||||
|  | ||||
| // ObjectMeta is metadata that all persisted resources must have, which includes all objects | ||||
| // users must create. | ||||
| message ObjectMeta { | ||||
|   // Name must be unique within a namespace. Is required when creating resources, although | ||||
|   // some resources may allow a client to request the generation of an appropriate name | ||||
|   // automatically. Name is primarily intended for creation idempotence and configuration | ||||
|   // definition. | ||||
|   // Cannot be updated. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/identifiers#names | ||||
|   // +optional | ||||
|   optional string name = 1; | ||||
|  | ||||
|   // GenerateName is an optional prefix, used by the server, to generate a unique | ||||
|   // name ONLY IF the Name field has not been provided. | ||||
|   // If this field is used, the name returned to the client will be different | ||||
|   // than the name passed. This value will also be combined with a unique suffix. | ||||
|   // The provided value has the same validation rules as the Name field, | ||||
|   // and may be truncated by the length of the suffix required to make the value | ||||
|   // unique on the server. | ||||
|   // | ||||
|   // If this field is specified and the generated name exists, the server will | ||||
|   // NOT return a 409 - instead, it will either return 201 Created or 500 with Reason | ||||
|   // ServerTimeout indicating a unique name could not be found in the time allotted, and the client | ||||
|   // should retry (optionally after the time indicated in the Retry-After header). | ||||
|   // | ||||
|   // Applied only if Name is not specified. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#idempotency | ||||
|   // +optional | ||||
|   optional string generateName = 2; | ||||
|  | ||||
|   // Namespace defines the space within each name must be unique. An empty namespace is | ||||
|   // equivalent to the "default" namespace, but "default" is the canonical representation. | ||||
|   // Not all objects are required to be scoped to a namespace - the value of this field for | ||||
|   // those objects will be empty. | ||||
|   // | ||||
|   // Must be a DNS_LABEL. | ||||
|   // Cannot be updated. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/namespaces | ||||
|   // +optional | ||||
|   optional string namespace = 3; | ||||
|  | ||||
|   // SelfLink is a URL representing this object. | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // +optional | ||||
|   optional string selfLink = 4; | ||||
|  | ||||
|   // UID is the unique in time and space value for this object. It is typically generated by | ||||
|   // the server on successful creation of a resource and is not allowed to change on PUT | ||||
|   // operations. | ||||
|   // | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/identifiers#uids | ||||
|   // +optional | ||||
|   optional string uid = 5; | ||||
|  | ||||
|   // An opaque value that represents the internal version of this object that can | ||||
|   // be used by clients to determine when objects have changed. May be used for optimistic | ||||
|   // concurrency, change detection, and the watch operation on a resource or set of resources. | ||||
|   // Clients must treat these values as opaque and passed unmodified back to the server. | ||||
|   // They may only be valid for a particular resource or set of resources. | ||||
|   // | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // Value must be treated as opaque by clients and . | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#concurrency-control-and-consistency | ||||
|   // +optional | ||||
|   optional string resourceVersion = 6; | ||||
|  | ||||
|   // A sequence number representing a specific generation of the desired state. | ||||
|   // Populated by the system. Read-only. | ||||
|   // +optional | ||||
|   optional int64 generation = 7; | ||||
|  | ||||
|   // CreationTimestamp is a timestamp representing the server time when this object was | ||||
|   // created. It is not guaranteed to be set in happens-before order across separate operations. | ||||
|   // Clients may not set this value. It is represented in RFC3339 form and is in UTC. | ||||
|   // | ||||
|   // Populated by the system. | ||||
|   // Read-only. | ||||
|   // Null for lists. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata | ||||
|   // +optional | ||||
|   optional Time creationTimestamp = 8; | ||||
|  | ||||
|   // DeletionTimestamp is RFC 3339 date and time at which this resource will be deleted. This | ||||
|   // field is set by the server when a graceful deletion is requested by the user, and is not | ||||
|   // directly settable by a client. The resource is expected to be deleted (no longer visible | ||||
|   // from resource lists, and not reachable by name) after the time in this field, once the | ||||
|   // finalizers list is empty. As long as the finalizers list contains items, deletion is blocked. | ||||
|   // Once the deletionTimestamp is set, this value may not be unset or be set further into the | ||||
|   // future, although it may be shortened or the resource may be deleted prior to this time. | ||||
|   // For example, a user may request that a pod is deleted in 30 seconds. The Kubelet will react | ||||
|   // by sending a graceful termination signal to the containers in the pod. After that 30 seconds, | ||||
|   // the Kubelet will send a hard termination signal (SIGKILL) to the container and after cleanup, | ||||
|   // remove the pod from the API. In the presence of network partitions, this object may still | ||||
|   // exist after this timestamp, until an administrator or automated process can determine the | ||||
|   // resource is fully terminated. | ||||
|   // If not set, graceful deletion of the object has not been requested. | ||||
|   // | ||||
|   // Populated by the system when a graceful deletion is requested. | ||||
|   // Read-only. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata | ||||
|   // +optional | ||||
|   optional Time deletionTimestamp = 9; | ||||
|  | ||||
|   // Number of seconds allowed for this object to gracefully terminate before | ||||
|   // it will be removed from the system. Only set when deletionTimestamp is also set. | ||||
|   // May only be shortened. | ||||
|   // Read-only. | ||||
|   // +optional | ||||
|   optional int64 deletionGracePeriodSeconds = 10; | ||||
|  | ||||
|   // Map of string keys and values that can be used to organize and categorize | ||||
|   // (scope and select) objects. May match selectors of replication controllers | ||||
|   // and services. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/labels | ||||
|   // +optional | ||||
|   map<string, string> labels = 11; | ||||
|  | ||||
|   // Annotations is an unstructured key value map stored with a resource that may be | ||||
|   // set by external tools to store and retrieve arbitrary metadata. They are not | ||||
|   // queryable and should be preserved when modifying objects. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/annotations | ||||
|   // +optional | ||||
|   map<string, string> annotations = 12; | ||||
|  | ||||
|   // List of objects depended by this object. If ALL objects in the list have | ||||
|   // been deleted, this object will be garbage collected. If this object is managed by a controller, | ||||
|   // then an entry in this list will point to this controller, with the controller field set to true. | ||||
|   // There cannot be more than one managing controller. | ||||
|   // +optional | ||||
|   // +patchMergeKey=uid | ||||
|   // +patchStrategy=merge | ||||
|   repeated OwnerReference ownerReferences = 13; | ||||
|  | ||||
|   // An initializer is a controller which enforces some system invariant at object creation time. | ||||
|   // This field is a list of initializers that have not yet acted on this object. If nil or empty, | ||||
|   // this object has been completely initialized. Otherwise, the object is considered uninitialized | ||||
|   // and is hidden (in list/watch and get calls) from clients that haven't explicitly asked to | ||||
|   // observe uninitialized objects. | ||||
|   // | ||||
|   // When an object is created, the system will populate this list with the current set of initializers. | ||||
|   // Only privileged users may set or modify this list. Once it is empty, it may not be modified further | ||||
|   // by any user. | ||||
|   // | ||||
|   // DEPRECATED - initializers are an alpha field and will be removed in v1.15. | ||||
|   optional Initializers initializers = 16; | ||||
|  | ||||
|   // Must be empty before the object is deleted from the registry. Each entry | ||||
|   // is an identifier for the responsible component that will remove the entry | ||||
|   // from the list. If the deletionTimestamp of the object is non-nil, entries | ||||
|   // in this list can only be removed. | ||||
|   // +optional | ||||
|   // +patchStrategy=merge | ||||
|   repeated string finalizers = 14; | ||||
|  | ||||
|   // The name of the cluster which the object belongs to. | ||||
|   // This is used to distinguish resources with same name and namespace in different clusters. | ||||
|   // This field is not set anywhere right now and apiserver is going to ignore it if set in create or update request. | ||||
|   // +optional | ||||
|   optional string clusterName = 15; | ||||
|  | ||||
|   // ManagedFields maps workflow-id and version to the set of fields | ||||
|   // that are managed by that workflow. This is mostly for internal | ||||
|   // housekeeping, and users typically shouldn't need to set or | ||||
|   // understand this field. A workflow can be the user's name, a | ||||
|   // controller's name, or the name of a specific apply path like | ||||
|   // "ci-cd". The set of fields is always in the version that the | ||||
|   // workflow used when modifying the object. | ||||
|   // | ||||
|   // This field is alpha and can be changed or removed without notice. | ||||
|   // | ||||
|   // +optional | ||||
|   repeated ManagedFieldsEntry managedFields = 17; | ||||
| } | ||||
|  | ||||
| // OwnerReference contains enough information to let you identify an owning | ||||
| // object. An owning object must be in the same namespace as the dependent, or | ||||
| // be cluster-scoped, so there is no namespace field. | ||||
| message OwnerReference { | ||||
|   // API version of the referent. | ||||
|   optional string apiVersion = 5; | ||||
|  | ||||
|   // Kind of the referent. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
|   optional string kind = 1; | ||||
|  | ||||
|   // Name of the referent. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/identifiers#names | ||||
|   optional string name = 3; | ||||
|  | ||||
|   // UID of the referent. | ||||
|   // More info: http://kubernetes.io/docs/user-guide/identifiers#uids | ||||
|   optional string uid = 4; | ||||
|  | ||||
|   // If true, this reference points to the managing controller. | ||||
|   // +optional | ||||
|   optional bool controller = 6; | ||||
|  | ||||
|   // If true, AND if the owner has the "foregroundDeletion" finalizer, then | ||||
|   // the owner cannot be deleted from the key-value store until this | ||||
|   // reference is removed. | ||||
|   // Defaults to false. | ||||
|   // To set this field, a user needs "delete" permission of the owner, | ||||
|   // otherwise 422 (Unprocessable Entity) will be returned. | ||||
|   // +optional | ||||
|   optional bool blockOwnerDeletion = 7; | ||||
| } | ||||
|  | ||||
| // Patch is provided to give a concrete name and type to the Kubernetes PATCH request body. | ||||
| message Patch { | ||||
| } | ||||
|  | ||||
| // PatchOptions may be provided when patching an API object. | ||||
| // PatchOptions is meant to be a superset of UpdateOptions. | ||||
| message PatchOptions { | ||||
|   // When present, indicates that modifications should not be | ||||
|   // persisted. An invalid or unrecognized dryRun directive will | ||||
|   // result in an error response and no further processing of the | ||||
|   // request. Valid values are: | ||||
|   // - All: all dry run stages will be processed | ||||
|   // +optional | ||||
|   repeated string dryRun = 1; | ||||
|  | ||||
|   // Force is going to "force" Apply requests. It means user will | ||||
|   // re-acquire conflicting fields owned by other people. Force | ||||
|   // flag must be unset for non-apply patch requests. | ||||
|   // +optional | ||||
|   optional bool force = 2; | ||||
|  | ||||
|   // fieldManager is a name associated with the actor or entity | ||||
|   // that is making these changes. The value must be less than or | ||||
|   // 128 characters long, and only contain printable characters, | ||||
|   // as defined by https://golang.org/pkg/unicode/#IsPrint. This | ||||
|   // field is required for apply requests | ||||
|   // (application/apply-patch) but optional for non-apply patch | ||||
|   // types (JsonPatch, MergePatch, StrategicMergePatch). | ||||
|   // +optional | ||||
|   optional string fieldManager = 3; | ||||
| } | ||||
|  | ||||
| // Preconditions must be fulfilled before an operation (update, delete, etc.) is carried out. | ||||
| message Preconditions { | ||||
|   // Specifies the target UID. | ||||
|   // +optional | ||||
|   optional string uid = 1; | ||||
|  | ||||
|   // Specifies the target ResourceVersion | ||||
|   // +optional | ||||
|   optional string resourceVersion = 2; | ||||
| } | ||||
|  | ||||
| // RootPaths lists the paths available at root. | ||||
| // For example: "/healthz", "/apis". | ||||
| message RootPaths { | ||||
|   // paths are the paths available at root. | ||||
|   repeated string paths = 1; | ||||
| } | ||||
|  | ||||
| // ServerAddressByClientCIDR helps the client to determine the server address that they should use, depending on the clientCIDR that they match. | ||||
| message ServerAddressByClientCIDR { | ||||
|   // The CIDR with which clients can match their IP to figure out the server address that they should use. | ||||
|   optional string clientCIDR = 1; | ||||
|  | ||||
|   // Address of this server, suitable for a client that matches the above CIDR. | ||||
|   // This can be a hostname, hostname:port, IP or IP:port. | ||||
|   optional string serverAddress = 2; | ||||
| } | ||||
|  | ||||
| // Status is a return value for calls that don't return other objects. | ||||
| message Status { | ||||
|   // Standard list metadata. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
|   // +optional | ||||
|   optional ListMeta metadata = 1; | ||||
|  | ||||
|   // Status of the operation. | ||||
|   // One of: "Success" or "Failure". | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#spec-and-status | ||||
|   // +optional | ||||
|   optional string status = 2; | ||||
|  | ||||
|   // A human-readable description of the status of this operation. | ||||
|   // +optional | ||||
|   optional string message = 3; | ||||
|  | ||||
|   // A machine-readable description of why this operation is in the | ||||
|   // "Failure" status. If this value is empty there | ||||
|   // is no information available. A Reason clarifies an HTTP status | ||||
|   // code but does not override it. | ||||
|   // +optional | ||||
|   optional string reason = 4; | ||||
|  | ||||
|   // Extended data associated with the reason.  Each reason may define its | ||||
|   // own extended details. This field is optional and the data returned | ||||
|   // is not guaranteed to conform to any schema except that defined by | ||||
|   // the reason type. | ||||
|   // +optional | ||||
|   optional StatusDetails details = 5; | ||||
|  | ||||
|   // Suggested HTTP return code for this status, 0 if not set. | ||||
|   // +optional | ||||
|   optional int32 code = 6; | ||||
| } | ||||
|  | ||||
| // StatusCause provides more information about an api.Status failure, including | ||||
| // cases when multiple errors are encountered. | ||||
| message StatusCause { | ||||
|   // A machine-readable description of the cause of the error. If this value is | ||||
|   // empty there is no information available. | ||||
|   // +optional | ||||
|   optional string reason = 1; | ||||
|  | ||||
|   // A human-readable description of the cause of the error.  This field may be | ||||
|   // presented as-is to a reader. | ||||
|   // +optional | ||||
|   optional string message = 2; | ||||
|  | ||||
|   // The field of the resource that has caused this error, as named by its JSON | ||||
|   // serialization. May include dot and postfix notation for nested attributes. | ||||
|   // Arrays are zero-indexed.  Fields may appear more than once in an array of | ||||
|   // causes due to fields having multiple errors. | ||||
|   // Optional. | ||||
|   // | ||||
|   // Examples: | ||||
|   //   "name" - the field "name" on the current resource | ||||
|   //   "items[0].name" - the field "name" on the first array entry in "items" | ||||
|   // +optional | ||||
|   optional string field = 3; | ||||
| } | ||||
|  | ||||
| // StatusDetails is a set of additional properties that MAY be set by the | ||||
| // server to provide additional information about a response. The Reason | ||||
| // field of a Status object defines what attributes will be set. Clients | ||||
| // must ignore fields that do not match the defined type of each attribute, | ||||
| // and should assume that any attribute may be empty, invalid, or under | ||||
| // defined. | ||||
| message StatusDetails { | ||||
|   // The name attribute of the resource associated with the status StatusReason | ||||
|   // (when there is a single name which can be described). | ||||
|   // +optional | ||||
|   optional string name = 1; | ||||
|  | ||||
|   // The group attribute of the resource associated with the status StatusReason. | ||||
|   // +optional | ||||
|   optional string group = 2; | ||||
|  | ||||
|   // The kind attribute of the resource associated with the status StatusReason. | ||||
|   // On some operations may differ from the requested resource Kind. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
|   // +optional | ||||
|   optional string kind = 3; | ||||
|  | ||||
|   // UID of the resource. | ||||
|   // (when there is a single resource which can be described). | ||||
|   // More info: http://kubernetes.io/docs/user-guide/identifiers#uids | ||||
|   // +optional | ||||
|   optional string uid = 6; | ||||
|  | ||||
|   // The Causes array includes more details associated with the StatusReason | ||||
|   // failure. Not all StatusReasons may provide detailed causes. | ||||
|   // +optional | ||||
|   repeated StatusCause causes = 4; | ||||
|  | ||||
|   // If specified, the time in seconds before the operation should be retried. Some errors may indicate | ||||
|   // the client must take an alternate action - for those errors this field may indicate how long to wait | ||||
|   // before taking the alternate action. | ||||
|   // +optional | ||||
|   optional int32 retryAfterSeconds = 5; | ||||
| } | ||||
|  | ||||
| // Time is a wrapper around time.Time which supports correct | ||||
| // marshaling to YAML and JSON.  Wrappers are provided for many | ||||
| // of the factory methods that the time package offers. | ||||
| // | ||||
| // +protobuf.options.marshal=false | ||||
| // +protobuf.as=Timestamp | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message Time { | ||||
|   // Represents seconds of UTC time since Unix epoch | ||||
|   // 1970-01-01T00:00:00Z. Must be from 0001-01-01T00:00:00Z to | ||||
|   // 9999-12-31T23:59:59Z inclusive. | ||||
|   optional int64 seconds = 1; | ||||
|  | ||||
|   // Non-negative fractions of a second at nanosecond resolution. Negative | ||||
|   // second values with fractions must still have non-negative nanos values | ||||
|   // that count forward in time. Must be from 0 to 999,999,999 | ||||
|   // inclusive. This field may be limited in precision depending on context. | ||||
|   optional int32 nanos = 2; | ||||
| } | ||||
|  | ||||
| // Timestamp is a struct that is equivalent to Time, but intended for | ||||
| // protobuf marshalling/unmarshalling. It is generated into a serialization | ||||
| // that matches Time. Do not use in Go structs. | ||||
| message Timestamp { | ||||
|   // Represents seconds of UTC time since Unix epoch | ||||
|   // 1970-01-01T00:00:00Z. Must be from 0001-01-01T00:00:00Z to | ||||
|   // 9999-12-31T23:59:59Z inclusive. | ||||
|   optional int64 seconds = 1; | ||||
|  | ||||
|   // Non-negative fractions of a second at nanosecond resolution. Negative | ||||
|   // second values with fractions must still have non-negative nanos values | ||||
|   // that count forward in time. Must be from 0 to 999,999,999 | ||||
|   // inclusive. This field may be limited in precision depending on context. | ||||
|   optional int32 nanos = 2; | ||||
| } | ||||
|  | ||||
| // TypeMeta describes an individual object in an API response or request | ||||
| // with strings representing the type of the object and its API schema version. | ||||
| // Structures that are versioned or persisted should inline TypeMeta. | ||||
| // | ||||
| // +k8s:deepcopy-gen=false | ||||
| message TypeMeta { | ||||
|   // Kind is a string value representing the REST resource this object represents. | ||||
|   // Servers may infer this from the endpoint the client submits requests to. | ||||
|   // Cannot be updated. | ||||
|   // In CamelCase. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
|   // +optional | ||||
|   optional string kind = 1; | ||||
|  | ||||
|   // APIVersion defines the versioned schema of this representation of an object. | ||||
|   // Servers should convert recognized schemas to the latest internal value, and | ||||
|   // may reject unrecognized values. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#resources | ||||
|   // +optional | ||||
|   optional string apiVersion = 2; | ||||
| } | ||||
|  | ||||
| // UpdateOptions may be provided when updating an API object. | ||||
| // All fields in UpdateOptions should also be present in PatchOptions. | ||||
| message UpdateOptions { | ||||
|   // When present, indicates that modifications should not be | ||||
|   // persisted. An invalid or unrecognized dryRun directive will | ||||
|   // result in an error response and no further processing of the | ||||
|   // request. Valid values are: | ||||
|   // - All: all dry run stages will be processed | ||||
|   // +optional | ||||
|   repeated string dryRun = 1; | ||||
|  | ||||
|   // fieldManager is a name associated with the actor or entity | ||||
|   // that is making these changes. The value must be less than or | ||||
|   // 128 characters long, and only contain printable characters, | ||||
|   // as defined by https://golang.org/pkg/unicode/#IsPrint. | ||||
|   // +optional | ||||
|   optional string fieldManager = 2; | ||||
| } | ||||
|  | ||||
| // Verbs masks the value so protobuf can generate | ||||
| // | ||||
| // +protobuf.nullable=true | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| message Verbs { | ||||
|   // items, if empty, will result in an empty slice | ||||
|  | ||||
|   repeated string items = 1; | ||||
| } | ||||
|  | ||||
| // Event represents a single event to a watched resource. | ||||
| // | ||||
| // +protobuf=true | ||||
| // +k8s:deepcopy-gen=true | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| message WatchEvent { | ||||
|   optional string type = 1; | ||||
|  | ||||
|   // Object is: | ||||
|   //  * If Type is Added or Modified: the new state of the object. | ||||
|   //  * If Type is Deleted: the state of the object immediately before deletion. | ||||
|   //  * If Type is Error: *Status is recommended; other types may make sense | ||||
|   //    depending on context. | ||||
|   optional k8s.io.apimachinery.pkg.runtime.RawExtension object = 2; | ||||
| } | ||||
|  | ||||
							
								
								
									
										148
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/group_version.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										148
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/group_version.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,148 @@ | ||||
| /* | ||||
| Copyright 2015 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"fmt" | ||||
| 	"strings" | ||||
|  | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| ) | ||||
|  | ||||
| // GroupResource specifies a Group and a Resource, but does not force a version.  This is useful for identifying | ||||
| // concepts during lookup stages without having partially valid types | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type GroupResource struct { | ||||
| 	Group    string `json:"group" protobuf:"bytes,1,opt,name=group"` | ||||
| 	Resource string `json:"resource" protobuf:"bytes,2,opt,name=resource"` | ||||
| } | ||||
|  | ||||
| func (gr *GroupResource) String() string { | ||||
| 	if len(gr.Group) == 0 { | ||||
| 		return gr.Resource | ||||
| 	} | ||||
| 	return gr.Resource + "." + gr.Group | ||||
| } | ||||
|  | ||||
| // GroupVersionResource unambiguously identifies a resource.  It doesn't anonymously include GroupVersion | ||||
| // to avoid automatic coersion.  It doesn't use a GroupVersion to avoid custom marshalling | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type GroupVersionResource struct { | ||||
| 	Group    string `json:"group" protobuf:"bytes,1,opt,name=group"` | ||||
| 	Version  string `json:"version" protobuf:"bytes,2,opt,name=version"` | ||||
| 	Resource string `json:"resource" protobuf:"bytes,3,opt,name=resource"` | ||||
| } | ||||
|  | ||||
| func (gvr *GroupVersionResource) String() string { | ||||
| 	return strings.Join([]string{gvr.Group, "/", gvr.Version, ", Resource=", gvr.Resource}, "") | ||||
| } | ||||
|  | ||||
| // GroupKind specifies a Group and a Kind, but does not force a version.  This is useful for identifying | ||||
| // concepts during lookup stages without having partially valid types | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type GroupKind struct { | ||||
| 	Group string `json:"group" protobuf:"bytes,1,opt,name=group"` | ||||
| 	Kind  string `json:"kind" protobuf:"bytes,2,opt,name=kind"` | ||||
| } | ||||
|  | ||||
| func (gk *GroupKind) String() string { | ||||
| 	if len(gk.Group) == 0 { | ||||
| 		return gk.Kind | ||||
| 	} | ||||
| 	return gk.Kind + "." + gk.Group | ||||
| } | ||||
|  | ||||
| // GroupVersionKind unambiguously identifies a kind.  It doesn't anonymously include GroupVersion | ||||
| // to avoid automatic coersion.  It doesn't use a GroupVersion to avoid custom marshalling | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type GroupVersionKind struct { | ||||
| 	Group   string `json:"group" protobuf:"bytes,1,opt,name=group"` | ||||
| 	Version string `json:"version" protobuf:"bytes,2,opt,name=version"` | ||||
| 	Kind    string `json:"kind" protobuf:"bytes,3,opt,name=kind"` | ||||
| } | ||||
|  | ||||
| func (gvk GroupVersionKind) String() string { | ||||
| 	return gvk.Group + "/" + gvk.Version + ", Kind=" + gvk.Kind | ||||
| } | ||||
|  | ||||
| // GroupVersion contains the "group" and the "version", which uniquely identifies the API. | ||||
| // | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type GroupVersion struct { | ||||
| 	Group   string `json:"group" protobuf:"bytes,1,opt,name=group"` | ||||
| 	Version string `json:"version" protobuf:"bytes,2,opt,name=version"` | ||||
| } | ||||
|  | ||||
| // Empty returns true if group and version are empty | ||||
| func (gv GroupVersion) Empty() bool { | ||||
| 	return len(gv.Group) == 0 && len(gv.Version) == 0 | ||||
| } | ||||
|  | ||||
| // String puts "group" and "version" into a single "group/version" string. For the legacy v1 | ||||
| // it returns "v1". | ||||
| func (gv GroupVersion) String() string { | ||||
| 	// special case the internal apiVersion for the legacy kube types | ||||
| 	if gv.Empty() { | ||||
| 		return "" | ||||
| 	} | ||||
|  | ||||
| 	// special case of "v1" for backward compatibility | ||||
| 	if len(gv.Group) == 0 && gv.Version == "v1" { | ||||
| 		return gv.Version | ||||
| 	} | ||||
| 	if len(gv.Group) > 0 { | ||||
| 		return gv.Group + "/" + gv.Version | ||||
| 	} | ||||
| 	return gv.Version | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements the json.Marshaller interface. | ||||
| func (gv GroupVersion) MarshalJSON() ([]byte, error) { | ||||
| 	s := gv.String() | ||||
| 	if strings.Count(s, "/") > 1 { | ||||
| 		return []byte{}, fmt.Errorf("illegal GroupVersion %v: contains more than one /", s) | ||||
| 	} | ||||
| 	return json.Marshal(s) | ||||
| } | ||||
|  | ||||
| func (gv *GroupVersion) unmarshal(value []byte) error { | ||||
| 	var s string | ||||
| 	if err := json.Unmarshal(value, &s); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	parsed, err := schema.ParseGroupVersion(s) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	gv.Group, gv.Version = parsed.Group, parsed.Version | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements the json.Unmarshaller interface. | ||||
| func (gv *GroupVersion) UnmarshalJSON(value []byte) error { | ||||
| 	return gv.unmarshal(value) | ||||
| } | ||||
|  | ||||
| // UnmarshalTEXT implements the Ugorji's encoding.TextUnmarshaler interface. | ||||
| func (gv *GroupVersion) UnmarshalText(value []byte) error { | ||||
| 	return gv.unmarshal(value) | ||||
| } | ||||
							
								
								
									
										267
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/helpers.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										267
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/helpers.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,267 @@ | ||||
| /* | ||||
| Copyright 2016 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"fmt" | ||||
|  | ||||
| 	"k8s.io/apimachinery/pkg/fields" | ||||
| 	"k8s.io/apimachinery/pkg/labels" | ||||
| 	"k8s.io/apimachinery/pkg/selection" | ||||
| 	"k8s.io/apimachinery/pkg/types" | ||||
| ) | ||||
|  | ||||
| // LabelSelectorAsSelector converts the LabelSelector api type into a struct that implements | ||||
| // labels.Selector | ||||
| // Note: This function should be kept in sync with the selector methods in pkg/labels/selector.go | ||||
| func LabelSelectorAsSelector(ps *LabelSelector) (labels.Selector, error) { | ||||
| 	if ps == nil { | ||||
| 		return labels.Nothing(), nil | ||||
| 	} | ||||
| 	if len(ps.MatchLabels)+len(ps.MatchExpressions) == 0 { | ||||
| 		return labels.Everything(), nil | ||||
| 	} | ||||
| 	selector := labels.NewSelector() | ||||
| 	for k, v := range ps.MatchLabels { | ||||
| 		r, err := labels.NewRequirement(k, selection.Equals, []string{v}) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		selector = selector.Add(*r) | ||||
| 	} | ||||
| 	for _, expr := range ps.MatchExpressions { | ||||
| 		var op selection.Operator | ||||
| 		switch expr.Operator { | ||||
| 		case LabelSelectorOpIn: | ||||
| 			op = selection.In | ||||
| 		case LabelSelectorOpNotIn: | ||||
| 			op = selection.NotIn | ||||
| 		case LabelSelectorOpExists: | ||||
| 			op = selection.Exists | ||||
| 		case LabelSelectorOpDoesNotExist: | ||||
| 			op = selection.DoesNotExist | ||||
| 		default: | ||||
| 			return nil, fmt.Errorf("%q is not a valid pod selector operator", expr.Operator) | ||||
| 		} | ||||
| 		r, err := labels.NewRequirement(expr.Key, op, append([]string(nil), expr.Values...)) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		selector = selector.Add(*r) | ||||
| 	} | ||||
| 	return selector, nil | ||||
| } | ||||
|  | ||||
| // LabelSelectorAsMap converts the LabelSelector api type into a map of strings, ie. the | ||||
| // original structure of a label selector. Operators that cannot be converted into plain | ||||
| // labels (Exists, DoesNotExist, NotIn, and In with more than one value) will result in | ||||
| // an error. | ||||
| func LabelSelectorAsMap(ps *LabelSelector) (map[string]string, error) { | ||||
| 	if ps == nil { | ||||
| 		return nil, nil | ||||
| 	} | ||||
| 	selector := map[string]string{} | ||||
| 	for k, v := range ps.MatchLabels { | ||||
| 		selector[k] = v | ||||
| 	} | ||||
| 	for _, expr := range ps.MatchExpressions { | ||||
| 		switch expr.Operator { | ||||
| 		case LabelSelectorOpIn: | ||||
| 			if len(expr.Values) != 1 { | ||||
| 				return selector, fmt.Errorf("operator %q without a single value cannot be converted into the old label selector format", expr.Operator) | ||||
| 			} | ||||
| 			// Should we do anything in case this will override a previous key-value pair? | ||||
| 			selector[expr.Key] = expr.Values[0] | ||||
| 		case LabelSelectorOpNotIn, LabelSelectorOpExists, LabelSelectorOpDoesNotExist: | ||||
| 			return selector, fmt.Errorf("operator %q cannot be converted into the old label selector format", expr.Operator) | ||||
| 		default: | ||||
| 			return selector, fmt.Errorf("%q is not a valid selector operator", expr.Operator) | ||||
| 		} | ||||
| 	} | ||||
| 	return selector, nil | ||||
| } | ||||
|  | ||||
| // ParseToLabelSelector parses a string representing a selector into a LabelSelector object. | ||||
| // Note: This function should be kept in sync with the parser in pkg/labels/selector.go | ||||
| func ParseToLabelSelector(selector string) (*LabelSelector, error) { | ||||
| 	reqs, err := labels.ParseToRequirements(selector) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("couldn't parse the selector string \"%s\": %v", selector, err) | ||||
| 	} | ||||
|  | ||||
| 	labelSelector := &LabelSelector{ | ||||
| 		MatchLabels:      map[string]string{}, | ||||
| 		MatchExpressions: []LabelSelectorRequirement{}, | ||||
| 	} | ||||
| 	for _, req := range reqs { | ||||
| 		var op LabelSelectorOperator | ||||
| 		switch req.Operator() { | ||||
| 		case selection.Equals, selection.DoubleEquals: | ||||
| 			vals := req.Values() | ||||
| 			if vals.Len() != 1 { | ||||
| 				return nil, fmt.Errorf("equals operator must have exactly one value") | ||||
| 			} | ||||
| 			val, ok := vals.PopAny() | ||||
| 			if !ok { | ||||
| 				return nil, fmt.Errorf("equals operator has exactly one value but it cannot be retrieved") | ||||
| 			} | ||||
| 			labelSelector.MatchLabels[req.Key()] = val | ||||
| 			continue | ||||
| 		case selection.In: | ||||
| 			op = LabelSelectorOpIn | ||||
| 		case selection.NotIn: | ||||
| 			op = LabelSelectorOpNotIn | ||||
| 		case selection.Exists: | ||||
| 			op = LabelSelectorOpExists | ||||
| 		case selection.DoesNotExist: | ||||
| 			op = LabelSelectorOpDoesNotExist | ||||
| 		case selection.GreaterThan, selection.LessThan: | ||||
| 			// Adding a separate case for these operators to indicate that this is deliberate | ||||
| 			return nil, fmt.Errorf("%q isn't supported in label selectors", req.Operator()) | ||||
| 		default: | ||||
| 			return nil, fmt.Errorf("%q is not a valid label selector operator", req.Operator()) | ||||
| 		} | ||||
| 		labelSelector.MatchExpressions = append(labelSelector.MatchExpressions, LabelSelectorRequirement{ | ||||
| 			Key:      req.Key(), | ||||
| 			Operator: op, | ||||
| 			Values:   req.Values().List(), | ||||
| 		}) | ||||
| 	} | ||||
| 	return labelSelector, nil | ||||
| } | ||||
|  | ||||
| // SetAsLabelSelector converts the labels.Set object into a LabelSelector api object. | ||||
| func SetAsLabelSelector(ls labels.Set) *LabelSelector { | ||||
| 	if ls == nil { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	selector := &LabelSelector{ | ||||
| 		MatchLabels: make(map[string]string), | ||||
| 	} | ||||
| 	for label, value := range ls { | ||||
| 		selector.MatchLabels[label] = value | ||||
| 	} | ||||
|  | ||||
| 	return selector | ||||
| } | ||||
|  | ||||
| // FormatLabelSelector convert labelSelector into plain string | ||||
| func FormatLabelSelector(labelSelector *LabelSelector) string { | ||||
| 	selector, err := LabelSelectorAsSelector(labelSelector) | ||||
| 	if err != nil { | ||||
| 		return "<error>" | ||||
| 	} | ||||
|  | ||||
| 	l := selector.String() | ||||
| 	if len(l) == 0 { | ||||
| 		l = "<none>" | ||||
| 	} | ||||
| 	return l | ||||
| } | ||||
|  | ||||
| func ExtractGroupVersions(l *APIGroupList) []string { | ||||
| 	var groupVersions []string | ||||
| 	for _, g := range l.Groups { | ||||
| 		for _, gv := range g.Versions { | ||||
| 			groupVersions = append(groupVersions, gv.GroupVersion) | ||||
| 		} | ||||
| 	} | ||||
| 	return groupVersions | ||||
| } | ||||
|  | ||||
| // HasAnnotation returns a bool if passed in annotation exists | ||||
| func HasAnnotation(obj ObjectMeta, ann string) bool { | ||||
| 	_, found := obj.Annotations[ann] | ||||
| 	return found | ||||
| } | ||||
|  | ||||
| // SetMetaDataAnnotation sets the annotation and value | ||||
| func SetMetaDataAnnotation(obj *ObjectMeta, ann string, value string) { | ||||
| 	if obj.Annotations == nil { | ||||
| 		obj.Annotations = make(map[string]string) | ||||
| 	} | ||||
| 	obj.Annotations[ann] = value | ||||
| } | ||||
|  | ||||
| // SingleObject returns a ListOptions for watching a single object. | ||||
| func SingleObject(meta ObjectMeta) ListOptions { | ||||
| 	return ListOptions{ | ||||
| 		FieldSelector:   fields.OneTermEqualSelector("metadata.name", meta.Name).String(), | ||||
| 		ResourceVersion: meta.ResourceVersion, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // NewDeleteOptions returns a DeleteOptions indicating the resource should | ||||
| // be deleted within the specified grace period. Use zero to indicate | ||||
| // immediate deletion. If you would prefer to use the default grace period, | ||||
| // use &metav1.DeleteOptions{} directly. | ||||
| func NewDeleteOptions(grace int64) *DeleteOptions { | ||||
| 	return &DeleteOptions{GracePeriodSeconds: &grace} | ||||
| } | ||||
|  | ||||
| // NewPreconditionDeleteOptions returns a DeleteOptions with a UID precondition set. | ||||
| func NewPreconditionDeleteOptions(uid string) *DeleteOptions { | ||||
| 	u := types.UID(uid) | ||||
| 	p := Preconditions{UID: &u} | ||||
| 	return &DeleteOptions{Preconditions: &p} | ||||
| } | ||||
|  | ||||
| // NewUIDPreconditions returns a Preconditions with UID set. | ||||
| func NewUIDPreconditions(uid string) *Preconditions { | ||||
| 	u := types.UID(uid) | ||||
| 	return &Preconditions{UID: &u} | ||||
| } | ||||
|  | ||||
| // NewRVDeletionPrecondition returns a DeleteOptions with a ResourceVersion precondition set. | ||||
| func NewRVDeletionPrecondition(rv string) *DeleteOptions { | ||||
| 	p := Preconditions{ResourceVersion: &rv} | ||||
| 	return &DeleteOptions{Preconditions: &p} | ||||
| } | ||||
|  | ||||
| // HasObjectMetaSystemFieldValues returns true if fields that are managed by the system on ObjectMeta have values. | ||||
| func HasObjectMetaSystemFieldValues(meta Object) bool { | ||||
| 	return !meta.GetCreationTimestamp().Time.IsZero() || | ||||
| 		len(meta.GetUID()) != 0 | ||||
| } | ||||
|  | ||||
| // ResetObjectMetaForStatus forces the meta fields for a status update to match the meta fields | ||||
| // for a pre-existing object. This is opt-in for new objects with Status subresource. | ||||
| func ResetObjectMetaForStatus(meta, existingMeta Object) { | ||||
| 	meta.SetDeletionTimestamp(existingMeta.GetDeletionTimestamp()) | ||||
| 	meta.SetGeneration(existingMeta.GetGeneration()) | ||||
| 	meta.SetSelfLink(existingMeta.GetSelfLink()) | ||||
| 	meta.SetLabels(existingMeta.GetLabels()) | ||||
| 	meta.SetAnnotations(existingMeta.GetAnnotations()) | ||||
| 	meta.SetFinalizers(existingMeta.GetFinalizers()) | ||||
| 	meta.SetOwnerReferences(existingMeta.GetOwnerReferences()) | ||||
| 	meta.SetManagedFields(existingMeta.GetManagedFields()) | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements json.Marshaler | ||||
| func (f Fields) MarshalJSON() ([]byte, error) { | ||||
| 	return json.Marshal(&f.Map) | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements json.Unmarshaler | ||||
| func (f *Fields) UnmarshalJSON(b []byte) error { | ||||
| 	return json.Unmarshal(b, &f.Map) | ||||
| } | ||||
|  | ||||
| var _ json.Marshaler = Fields{} | ||||
| var _ json.Unmarshaler = &Fields{} | ||||
							
								
								
									
										55
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/labels.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										55
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/labels.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,55 @@ | ||||
| /* | ||||
| Copyright 2016 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 v1 | ||||
|  | ||||
| // Clones the given selector and returns a new selector with the given key and value added. | ||||
| // Returns the given selector, if labelKey is empty. | ||||
| func CloneSelectorAndAddLabel(selector *LabelSelector, labelKey, labelValue string) *LabelSelector { | ||||
| 	if labelKey == "" { | ||||
| 		// Don't need to add a label. | ||||
| 		return selector | ||||
| 	} | ||||
|  | ||||
| 	// Clone. | ||||
| 	newSelector := selector.DeepCopy() | ||||
|  | ||||
| 	if newSelector.MatchLabels == nil { | ||||
| 		newSelector.MatchLabels = make(map[string]string) | ||||
| 	} | ||||
|  | ||||
| 	newSelector.MatchLabels[labelKey] = labelValue | ||||
|  | ||||
| 	return newSelector | ||||
| } | ||||
|  | ||||
| // AddLabelToSelector returns a selector with the given key and value added to the given selector's MatchLabels. | ||||
| func AddLabelToSelector(selector *LabelSelector, labelKey, labelValue string) *LabelSelector { | ||||
| 	if labelKey == "" { | ||||
| 		// Don't need to add a label. | ||||
| 		return selector | ||||
| 	} | ||||
| 	if selector.MatchLabels == nil { | ||||
| 		selector.MatchLabels = make(map[string]string) | ||||
| 	} | ||||
| 	selector.MatchLabels[labelKey] = labelValue | ||||
| 	return selector | ||||
| } | ||||
|  | ||||
| // SelectorHasLabel checks if the given selector contains the given label key in its MatchLabels | ||||
| func SelectorHasLabel(selector *LabelSelector, labelKey string) bool { | ||||
| 	return len(selector.MatchLabels[labelKey]) > 0 | ||||
| } | ||||
							
								
								
									
										176
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/meta.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										176
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/meta.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,176 @@ | ||||
| /* | ||||
| Copyright 2016 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| 	"k8s.io/apimachinery/pkg/types" | ||||
| ) | ||||
|  | ||||
| // TODO: move this, Object, List, and Type to a different package | ||||
| type ObjectMetaAccessor interface { | ||||
| 	GetObjectMeta() Object | ||||
| } | ||||
|  | ||||
| // Object lets you work with object metadata from any of the versioned or | ||||
| // internal API objects. Attempting to set or retrieve a field on an object that does | ||||
| // not support that field (Name, UID, Namespace on lists) will be a no-op and return | ||||
| // a default value. | ||||
| type Object interface { | ||||
| 	GetNamespace() string | ||||
| 	SetNamespace(namespace string) | ||||
| 	GetName() string | ||||
| 	SetName(name string) | ||||
| 	GetGenerateName() string | ||||
| 	SetGenerateName(name string) | ||||
| 	GetUID() types.UID | ||||
| 	SetUID(uid types.UID) | ||||
| 	GetResourceVersion() string | ||||
| 	SetResourceVersion(version string) | ||||
| 	GetGeneration() int64 | ||||
| 	SetGeneration(generation int64) | ||||
| 	GetSelfLink() string | ||||
| 	SetSelfLink(selfLink string) | ||||
| 	GetCreationTimestamp() Time | ||||
| 	SetCreationTimestamp(timestamp Time) | ||||
| 	GetDeletionTimestamp() *Time | ||||
| 	SetDeletionTimestamp(timestamp *Time) | ||||
| 	GetDeletionGracePeriodSeconds() *int64 | ||||
| 	SetDeletionGracePeriodSeconds(*int64) | ||||
| 	GetLabels() map[string]string | ||||
| 	SetLabels(labels map[string]string) | ||||
| 	GetAnnotations() map[string]string | ||||
| 	SetAnnotations(annotations map[string]string) | ||||
| 	GetInitializers() *Initializers | ||||
| 	SetInitializers(initializers *Initializers) | ||||
| 	GetFinalizers() []string | ||||
| 	SetFinalizers(finalizers []string) | ||||
| 	GetOwnerReferences() []OwnerReference | ||||
| 	SetOwnerReferences([]OwnerReference) | ||||
| 	GetClusterName() string | ||||
| 	SetClusterName(clusterName string) | ||||
| 	GetManagedFields() []ManagedFieldsEntry | ||||
| 	SetManagedFields(managedFields []ManagedFieldsEntry) | ||||
| } | ||||
|  | ||||
| // ListMetaAccessor retrieves the list interface from an object | ||||
| type ListMetaAccessor interface { | ||||
| 	GetListMeta() ListInterface | ||||
| } | ||||
|  | ||||
| // Common lets you work with core metadata from any of the versioned or | ||||
| // internal API objects. Attempting to set or retrieve a field on an object that does | ||||
| // not support that field will be a no-op and return a default value. | ||||
| // TODO: move this, and TypeMeta and ListMeta, to a different package | ||||
| type Common interface { | ||||
| 	GetResourceVersion() string | ||||
| 	SetResourceVersion(version string) | ||||
| 	GetSelfLink() string | ||||
| 	SetSelfLink(selfLink string) | ||||
| } | ||||
|  | ||||
| // ListInterface lets you work with list metadata from any of the versioned or | ||||
| // internal API objects. Attempting to set or retrieve a field on an object that does | ||||
| // not support that field will be a no-op and return a default value. | ||||
| // TODO: move this, and TypeMeta and ListMeta, to a different package | ||||
| type ListInterface interface { | ||||
| 	GetResourceVersion() string | ||||
| 	SetResourceVersion(version string) | ||||
| 	GetSelfLink() string | ||||
| 	SetSelfLink(selfLink string) | ||||
| 	GetContinue() string | ||||
| 	SetContinue(c string) | ||||
| } | ||||
|  | ||||
| // Type exposes the type and APIVersion of versioned or internal API objects. | ||||
| // TODO: move this, and TypeMeta and ListMeta, to a different package | ||||
| type Type interface { | ||||
| 	GetAPIVersion() string | ||||
| 	SetAPIVersion(version string) | ||||
| 	GetKind() string | ||||
| 	SetKind(kind string) | ||||
| } | ||||
|  | ||||
| func (meta *ListMeta) GetResourceVersion() string        { return meta.ResourceVersion } | ||||
| func (meta *ListMeta) SetResourceVersion(version string) { meta.ResourceVersion = version } | ||||
| func (meta *ListMeta) GetSelfLink() string               { return meta.SelfLink } | ||||
| func (meta *ListMeta) SetSelfLink(selfLink string)       { meta.SelfLink = selfLink } | ||||
| func (meta *ListMeta) GetContinue() string               { return meta.Continue } | ||||
| func (meta *ListMeta) SetContinue(c string)              { meta.Continue = c } | ||||
|  | ||||
| func (obj *TypeMeta) GetObjectKind() schema.ObjectKind { return obj } | ||||
|  | ||||
| // SetGroupVersionKind satisfies the ObjectKind interface for all objects that embed TypeMeta | ||||
| func (obj *TypeMeta) SetGroupVersionKind(gvk schema.GroupVersionKind) { | ||||
| 	obj.APIVersion, obj.Kind = gvk.ToAPIVersionAndKind() | ||||
| } | ||||
|  | ||||
| // GroupVersionKind satisfies the ObjectKind interface for all objects that embed TypeMeta | ||||
| func (obj *TypeMeta) GroupVersionKind() schema.GroupVersionKind { | ||||
| 	return schema.FromAPIVersionAndKind(obj.APIVersion, obj.Kind) | ||||
| } | ||||
|  | ||||
| func (obj *ListMeta) GetListMeta() ListInterface { return obj } | ||||
|  | ||||
| func (obj *ObjectMeta) GetObjectMeta() Object { return obj } | ||||
|  | ||||
| // Namespace implements metav1.Object for any object with an ObjectMeta typed field. Allows | ||||
| // fast, direct access to metadata fields for API objects. | ||||
| func (meta *ObjectMeta) GetNamespace() string                { return meta.Namespace } | ||||
| func (meta *ObjectMeta) SetNamespace(namespace string)       { meta.Namespace = namespace } | ||||
| func (meta *ObjectMeta) GetName() string                     { return meta.Name } | ||||
| func (meta *ObjectMeta) SetName(name string)                 { meta.Name = name } | ||||
| func (meta *ObjectMeta) GetGenerateName() string             { return meta.GenerateName } | ||||
| func (meta *ObjectMeta) SetGenerateName(generateName string) { meta.GenerateName = generateName } | ||||
| func (meta *ObjectMeta) GetUID() types.UID                   { return meta.UID } | ||||
| func (meta *ObjectMeta) SetUID(uid types.UID)                { meta.UID = uid } | ||||
| func (meta *ObjectMeta) GetResourceVersion() string          { return meta.ResourceVersion } | ||||
| func (meta *ObjectMeta) SetResourceVersion(version string)   { meta.ResourceVersion = version } | ||||
| func (meta *ObjectMeta) GetGeneration() int64                { return meta.Generation } | ||||
| func (meta *ObjectMeta) SetGeneration(generation int64)      { meta.Generation = generation } | ||||
| func (meta *ObjectMeta) GetSelfLink() string                 { return meta.SelfLink } | ||||
| func (meta *ObjectMeta) SetSelfLink(selfLink string)         { meta.SelfLink = selfLink } | ||||
| func (meta *ObjectMeta) GetCreationTimestamp() Time          { return meta.CreationTimestamp } | ||||
| func (meta *ObjectMeta) SetCreationTimestamp(creationTimestamp Time) { | ||||
| 	meta.CreationTimestamp = creationTimestamp | ||||
| } | ||||
| func (meta *ObjectMeta) GetDeletionTimestamp() *Time { return meta.DeletionTimestamp } | ||||
| func (meta *ObjectMeta) SetDeletionTimestamp(deletionTimestamp *Time) { | ||||
| 	meta.DeletionTimestamp = deletionTimestamp | ||||
| } | ||||
| func (meta *ObjectMeta) GetDeletionGracePeriodSeconds() *int64 { return meta.DeletionGracePeriodSeconds } | ||||
| func (meta *ObjectMeta) SetDeletionGracePeriodSeconds(deletionGracePeriodSeconds *int64) { | ||||
| 	meta.DeletionGracePeriodSeconds = deletionGracePeriodSeconds | ||||
| } | ||||
| func (meta *ObjectMeta) GetLabels() map[string]string                 { return meta.Labels } | ||||
| func (meta *ObjectMeta) SetLabels(labels map[string]string)           { meta.Labels = labels } | ||||
| func (meta *ObjectMeta) GetAnnotations() map[string]string            { return meta.Annotations } | ||||
| func (meta *ObjectMeta) SetAnnotations(annotations map[string]string) { meta.Annotations = annotations } | ||||
| func (meta *ObjectMeta) GetInitializers() *Initializers               { return meta.Initializers } | ||||
| func (meta *ObjectMeta) SetInitializers(initializers *Initializers)   { meta.Initializers = initializers } | ||||
| func (meta *ObjectMeta) GetFinalizers() []string                      { return meta.Finalizers } | ||||
| func (meta *ObjectMeta) SetFinalizers(finalizers []string)            { meta.Finalizers = finalizers } | ||||
| func (meta *ObjectMeta) GetOwnerReferences() []OwnerReference         { return meta.OwnerReferences } | ||||
| func (meta *ObjectMeta) SetOwnerReferences(references []OwnerReference) { | ||||
| 	meta.OwnerReferences = references | ||||
| } | ||||
| func (meta *ObjectMeta) GetClusterName() string                 { return meta.ClusterName } | ||||
| func (meta *ObjectMeta) SetClusterName(clusterName string)      { meta.ClusterName = clusterName } | ||||
| func (meta *ObjectMeta) GetManagedFields() []ManagedFieldsEntry { return meta.ManagedFields } | ||||
| func (meta *ObjectMeta) SetManagedFields(managedFields []ManagedFieldsEntry) { | ||||
| 	meta.ManagedFields = managedFields | ||||
| } | ||||
							
								
								
									
										183
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/micro_time.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										183
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/micro_time.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,183 @@ | ||||
| /* | ||||
| Copyright 2016 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"time" | ||||
|  | ||||
| 	"github.com/google/gofuzz" | ||||
| ) | ||||
|  | ||||
| const RFC3339Micro = "2006-01-02T15:04:05.000000Z07:00" | ||||
|  | ||||
| // MicroTime is version of Time with microsecond level precision. | ||||
| // | ||||
| // +protobuf.options.marshal=false | ||||
| // +protobuf.as=Timestamp | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type MicroTime struct { | ||||
| 	time.Time `protobuf:"-"` | ||||
| } | ||||
|  | ||||
| // DeepCopy returns a deep-copy of the MicroTime value.  The underlying time.Time | ||||
| // type is effectively immutable in the time API, so it is safe to | ||||
| // copy-by-assign, despite the presence of (unexported) Pointer fields. | ||||
| func (t *MicroTime) DeepCopyInto(out *MicroTime) { | ||||
| 	*out = *t | ||||
| } | ||||
|  | ||||
| // String returns the representation of the time. | ||||
| func (t MicroTime) String() string { | ||||
| 	return t.Time.String() | ||||
| } | ||||
|  | ||||
| // NewMicroTime returns a wrapped instance of the provided time | ||||
| func NewMicroTime(time time.Time) MicroTime { | ||||
| 	return MicroTime{time} | ||||
| } | ||||
|  | ||||
| // DateMicro returns the MicroTime corresponding to the supplied parameters | ||||
| // by wrapping time.Date. | ||||
| func DateMicro(year int, month time.Month, day, hour, min, sec, nsec int, loc *time.Location) MicroTime { | ||||
| 	return MicroTime{time.Date(year, month, day, hour, min, sec, nsec, loc)} | ||||
| } | ||||
|  | ||||
| // NowMicro returns the current local time. | ||||
| func NowMicro() MicroTime { | ||||
| 	return MicroTime{time.Now()} | ||||
| } | ||||
|  | ||||
| // IsZero returns true if the value is nil or time is zero. | ||||
| func (t *MicroTime) IsZero() bool { | ||||
| 	if t == nil { | ||||
| 		return true | ||||
| 	} | ||||
| 	return t.Time.IsZero() | ||||
| } | ||||
|  | ||||
| // Before reports whether the time instant t is before u. | ||||
| func (t *MicroTime) Before(u *MicroTime) bool { | ||||
| 	return t.Time.Before(u.Time) | ||||
| } | ||||
|  | ||||
| // Equal reports whether the time instant t is equal to u. | ||||
| func (t *MicroTime) Equal(u *MicroTime) bool { | ||||
| 	return t.Time.Equal(u.Time) | ||||
| } | ||||
|  | ||||
| // BeforeTime reports whether the time instant t is before second-lever precision u. | ||||
| func (t *MicroTime) BeforeTime(u *Time) bool { | ||||
| 	return t.Time.Before(u.Time) | ||||
| } | ||||
|  | ||||
| // EqualTime reports whether the time instant t is equal to second-lever precision u. | ||||
| func (t *MicroTime) EqualTime(u *Time) bool { | ||||
| 	return t.Time.Equal(u.Time) | ||||
| } | ||||
|  | ||||
| // UnixMicro returns the local time corresponding to the given Unix time | ||||
| // by wrapping time.Unix. | ||||
| func UnixMicro(sec int64, nsec int64) MicroTime { | ||||
| 	return MicroTime{time.Unix(sec, nsec)} | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements the json.Unmarshaller interface. | ||||
| func (t *MicroTime) UnmarshalJSON(b []byte) error { | ||||
| 	if len(b) == 4 && string(b) == "null" { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var str string | ||||
| 	err := json.Unmarshal(b, &str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	pt, err := time.Parse(RFC3339Micro, str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	t.Time = pt.Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // UnmarshalQueryParameter converts from a URL query parameter value to an object | ||||
| func (t *MicroTime) UnmarshalQueryParameter(str string) error { | ||||
| 	if len(str) == 0 { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
| 	// Tolerate requests from older clients that used JSON serialization to build query params | ||||
| 	if len(str) == 4 && str == "null" { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	pt, err := time.Parse(RFC3339Micro, str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	t.Time = pt.Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements the json.Marshaler interface. | ||||
| func (t MicroTime) MarshalJSON() ([]byte, error) { | ||||
| 	if t.IsZero() { | ||||
| 		// Encode unset/nil objects as JSON's "null". | ||||
| 		return []byte("null"), nil | ||||
| 	} | ||||
|  | ||||
| 	return json.Marshal(t.UTC().Format(RFC3339Micro)) | ||||
| } | ||||
|  | ||||
| // OpenAPISchemaType is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| // | ||||
| // See: https://github.com/kubernetes/kube-openapi/tree/master/pkg/generators | ||||
| func (_ MicroTime) OpenAPISchemaType() []string { return []string{"string"} } | ||||
|  | ||||
| // OpenAPISchemaFormat is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| func (_ MicroTime) OpenAPISchemaFormat() string { return "date-time" } | ||||
|  | ||||
| // MarshalQueryParameter converts to a URL query parameter value | ||||
| func (t MicroTime) MarshalQueryParameter() (string, error) { | ||||
| 	if t.IsZero() { | ||||
| 		// Encode unset/nil objects as an empty string | ||||
| 		return "", nil | ||||
| 	} | ||||
|  | ||||
| 	return t.UTC().Format(RFC3339Micro), nil | ||||
| } | ||||
|  | ||||
| // Fuzz satisfies fuzz.Interface. | ||||
| func (t *MicroTime) Fuzz(c fuzz.Continue) { | ||||
| 	if t == nil { | ||||
| 		return | ||||
| 	} | ||||
| 	// Allow for about 1000 years of randomness. Accurate to a tenth of | ||||
| 	// micro second. Leave off nanoseconds because JSON doesn't | ||||
| 	// represent them so they can't round-trip properly. | ||||
| 	t.Time = time.Unix(c.Rand.Int63n(1000*365*24*60*60), 1000*c.Rand.Int63n(1000000)) | ||||
| } | ||||
|  | ||||
| var _ fuzz.Interface = &MicroTime{} | ||||
							
								
								
									
										72
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/micro_time_proto.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										72
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/micro_time_proto.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,72 @@ | ||||
| /* | ||||
| Copyright 2016 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // Timestamp is declared in time_proto.go | ||||
|  | ||||
| // Timestamp returns the Time as a new Timestamp value. | ||||
| func (m *MicroTime) ProtoMicroTime() *Timestamp { | ||||
| 	if m == nil { | ||||
| 		return &Timestamp{} | ||||
| 	} | ||||
| 	return &Timestamp{ | ||||
| 		Seconds: m.Time.Unix(), | ||||
| 		Nanos:   int32(m.Time.Nanosecond()), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Size implements the protobuf marshalling interface. | ||||
| func (m *MicroTime) Size() (n int) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return m.ProtoMicroTime().Size() | ||||
| } | ||||
|  | ||||
| // Reset implements the protobuf marshalling interface. | ||||
| func (m *MicroTime) Unmarshal(data []byte) error { | ||||
| 	if len(data) == 0 { | ||||
| 		m.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
| 	p := Timestamp{} | ||||
| 	if err := p.Unmarshal(data); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	m.Time = time.Unix(p.Seconds, int64(p.Nanos)).Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Marshal implements the protobuf marshalling interface. | ||||
| func (m *MicroTime) Marshal() (data []byte, err error) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return nil, nil | ||||
| 	} | ||||
| 	return m.ProtoMicroTime().Marshal() | ||||
| } | ||||
|  | ||||
| // MarshalTo implements the protobuf marshalling interface. | ||||
| func (m *MicroTime) MarshalTo(data []byte) (int, error) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return 0, nil | ||||
| 	} | ||||
| 	return m.ProtoMicroTime().MarshalTo(data) | ||||
| } | ||||
							
								
								
									
										99
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/register.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										99
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/register.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,99 @@ | ||||
| /* | ||||
| Copyright 2014 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| 	utilruntime "k8s.io/apimachinery/pkg/util/runtime" | ||||
| ) | ||||
|  | ||||
| // GroupName is the group name for this API. | ||||
| const GroupName = "meta.k8s.io" | ||||
|  | ||||
| // SchemeGroupVersion is group version used to register these objects | ||||
| var SchemeGroupVersion = schema.GroupVersion{Group: GroupName, Version: "v1"} | ||||
|  | ||||
| // Unversioned is group version for unversioned API objects | ||||
| // TODO: this should be v1 probably | ||||
| var Unversioned = schema.GroupVersion{Group: "", Version: "v1"} | ||||
|  | ||||
| // WatchEventKind is name reserved for serializing watch events. | ||||
| const WatchEventKind = "WatchEvent" | ||||
|  | ||||
| // Kind takes an unqualified kind and returns a Group qualified GroupKind | ||||
| func Kind(kind string) schema.GroupKind { | ||||
| 	return SchemeGroupVersion.WithKind(kind).GroupKind() | ||||
| } | ||||
|  | ||||
| // AddToGroupVersion registers common meta types into schemas. | ||||
| func AddToGroupVersion(scheme *runtime.Scheme, groupVersion schema.GroupVersion) { | ||||
| 	scheme.AddKnownTypeWithName(groupVersion.WithKind(WatchEventKind), &WatchEvent{}) | ||||
| 	scheme.AddKnownTypeWithName( | ||||
| 		schema.GroupVersion{Group: groupVersion.Group, Version: runtime.APIVersionInternal}.WithKind(WatchEventKind), | ||||
| 		&InternalEvent{}, | ||||
| 	) | ||||
| 	// Supports legacy code paths, most callers should use metav1.ParameterCodec for now | ||||
| 	scheme.AddKnownTypes(groupVersion, | ||||
| 		&ListOptions{}, | ||||
| 		&ExportOptions{}, | ||||
| 		&GetOptions{}, | ||||
| 		&DeleteOptions{}, | ||||
| 		&CreateOptions{}, | ||||
| 		&UpdateOptions{}, | ||||
| 		&PatchOptions{}, | ||||
| 	) | ||||
| 	utilruntime.Must(scheme.AddConversionFuncs( | ||||
| 		Convert_v1_WatchEvent_To_watch_Event, | ||||
| 		Convert_v1_InternalEvent_To_v1_WatchEvent, | ||||
| 		Convert_watch_Event_To_v1_WatchEvent, | ||||
| 		Convert_v1_WatchEvent_To_v1_InternalEvent, | ||||
| 	)) | ||||
| 	// Register Unversioned types under their own special group | ||||
| 	scheme.AddUnversionedTypes(Unversioned, | ||||
| 		&Status{}, | ||||
| 		&APIVersions{}, | ||||
| 		&APIGroupList{}, | ||||
| 		&APIGroup{}, | ||||
| 		&APIResourceList{}, | ||||
| 	) | ||||
|  | ||||
| 	// register manually. This usually goes through the SchemeBuilder, which we cannot use here. | ||||
| 	utilruntime.Must(AddConversionFuncs(scheme)) | ||||
| 	utilruntime.Must(RegisterDefaults(scheme)) | ||||
| } | ||||
|  | ||||
| // scheme is the registry for the common types that adhere to the meta v1 API spec. | ||||
| var scheme = runtime.NewScheme() | ||||
|  | ||||
| // ParameterCodec knows about query parameters used with the meta v1 API spec. | ||||
| var ParameterCodec = runtime.NewParameterCodec(scheme) | ||||
|  | ||||
| func init() { | ||||
| 	scheme.AddUnversionedTypes(SchemeGroupVersion, | ||||
| 		&ListOptions{}, | ||||
| 		&ExportOptions{}, | ||||
| 		&GetOptions{}, | ||||
| 		&DeleteOptions{}, | ||||
| 		&CreateOptions{}, | ||||
| 		&UpdateOptions{}, | ||||
| 		&PatchOptions{}, | ||||
| 	) | ||||
|  | ||||
| 	// register manually. This usually goes through the SchemeBuilder, which we cannot use here. | ||||
| 	utilruntime.Must(RegisterDefaults(scheme)) | ||||
| } | ||||
							
								
								
									
										185
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/time.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										185
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/time.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,185 @@ | ||||
| /* | ||||
| Copyright 2014 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"encoding/json" | ||||
| 	"time" | ||||
|  | ||||
| 	"github.com/google/gofuzz" | ||||
| ) | ||||
|  | ||||
| // Time is a wrapper around time.Time which supports correct | ||||
| // marshaling to YAML and JSON.  Wrappers are provided for many | ||||
| // of the factory methods that the time package offers. | ||||
| // | ||||
| // +protobuf.options.marshal=false | ||||
| // +protobuf.as=Timestamp | ||||
| // +protobuf.options.(gogoproto.goproto_stringer)=false | ||||
| type Time struct { | ||||
| 	time.Time `protobuf:"-"` | ||||
| } | ||||
|  | ||||
| // DeepCopyInto creates a deep-copy of the Time value.  The underlying time.Time | ||||
| // type is effectively immutable in the time API, so it is safe to | ||||
| // copy-by-assign, despite the presence of (unexported) Pointer fields. | ||||
| func (t *Time) DeepCopyInto(out *Time) { | ||||
| 	*out = *t | ||||
| } | ||||
|  | ||||
| // String returns the representation of the time. | ||||
| func (t Time) String() string { | ||||
| 	return t.Time.String() | ||||
| } | ||||
|  | ||||
| // NewTime returns a wrapped instance of the provided time | ||||
| func NewTime(time time.Time) Time { | ||||
| 	return Time{time} | ||||
| } | ||||
|  | ||||
| // Date returns the Time corresponding to the supplied parameters | ||||
| // by wrapping time.Date. | ||||
| func Date(year int, month time.Month, day, hour, min, sec, nsec int, loc *time.Location) Time { | ||||
| 	return Time{time.Date(year, month, day, hour, min, sec, nsec, loc)} | ||||
| } | ||||
|  | ||||
| // Now returns the current local time. | ||||
| func Now() Time { | ||||
| 	return Time{time.Now()} | ||||
| } | ||||
|  | ||||
| // IsZero returns true if the value is nil or time is zero. | ||||
| func (t *Time) IsZero() bool { | ||||
| 	if t == nil { | ||||
| 		return true | ||||
| 	} | ||||
| 	return t.Time.IsZero() | ||||
| } | ||||
|  | ||||
| // Before reports whether the time instant t is before u. | ||||
| func (t *Time) Before(u *Time) bool { | ||||
| 	return t.Time.Before(u.Time) | ||||
| } | ||||
|  | ||||
| // Equal reports whether the time instant t is equal to u. | ||||
| func (t *Time) Equal(u *Time) bool { | ||||
| 	if t == nil && u == nil { | ||||
| 		return true | ||||
| 	} | ||||
| 	if t != nil && u != nil { | ||||
| 		return t.Time.Equal(u.Time) | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| // Unix returns the local time corresponding to the given Unix time | ||||
| // by wrapping time.Unix. | ||||
| func Unix(sec int64, nsec int64) Time { | ||||
| 	return Time{time.Unix(sec, nsec)} | ||||
| } | ||||
|  | ||||
| // Rfc3339Copy returns a copy of the Time at second-level precision. | ||||
| func (t Time) Rfc3339Copy() Time { | ||||
| 	copied, _ := time.Parse(time.RFC3339, t.Format(time.RFC3339)) | ||||
| 	return Time{copied} | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON implements the json.Unmarshaller interface. | ||||
| func (t *Time) UnmarshalJSON(b []byte) error { | ||||
| 	if len(b) == 4 && string(b) == "null" { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	var str string | ||||
| 	err := json.Unmarshal(b, &str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	pt, err := time.Parse(time.RFC3339, str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	t.Time = pt.Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // UnmarshalQueryParameter converts from a URL query parameter value to an object | ||||
| func (t *Time) UnmarshalQueryParameter(str string) error { | ||||
| 	if len(str) == 0 { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
| 	// Tolerate requests from older clients that used JSON serialization to build query params | ||||
| 	if len(str) == 4 && str == "null" { | ||||
| 		t.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	pt, err := time.Parse(time.RFC3339, str) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	t.Time = pt.Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // MarshalJSON implements the json.Marshaler interface. | ||||
| func (t Time) MarshalJSON() ([]byte, error) { | ||||
| 	if t.IsZero() { | ||||
| 		// Encode unset/nil objects as JSON's "null". | ||||
| 		return []byte("null"), nil | ||||
| 	} | ||||
|  | ||||
| 	return json.Marshal(t.UTC().Format(time.RFC3339)) | ||||
| } | ||||
|  | ||||
| // OpenAPISchemaType is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| // | ||||
| // See: https://github.com/kubernetes/kube-openapi/tree/master/pkg/generators | ||||
| func (_ Time) OpenAPISchemaType() []string { return []string{"string"} } | ||||
|  | ||||
| // OpenAPISchemaFormat is used by the kube-openapi generator when constructing | ||||
| // the OpenAPI spec of this type. | ||||
| func (_ Time) OpenAPISchemaFormat() string { return "date-time" } | ||||
|  | ||||
| // MarshalQueryParameter converts to a URL query parameter value | ||||
| func (t Time) MarshalQueryParameter() (string, error) { | ||||
| 	if t.IsZero() { | ||||
| 		// Encode unset/nil objects as an empty string | ||||
| 		return "", nil | ||||
| 	} | ||||
|  | ||||
| 	return t.UTC().Format(time.RFC3339), nil | ||||
| } | ||||
|  | ||||
| // Fuzz satisfies fuzz.Interface. | ||||
| func (t *Time) Fuzz(c fuzz.Continue) { | ||||
| 	if t == nil { | ||||
| 		return | ||||
| 	} | ||||
| 	// Allow for about 1000 years of randomness.  Leave off nanoseconds | ||||
| 	// because JSON doesn't represent them so they can't round-trip | ||||
| 	// properly. | ||||
| 	t.Time = time.Unix(c.Rand.Int63n(1000*365*24*60*60), 0) | ||||
| } | ||||
|  | ||||
| var _ fuzz.Interface = &Time{} | ||||
							
								
								
									
										92
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/time_proto.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										92
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/time_proto.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,92 @@ | ||||
| /* | ||||
| Copyright 2015 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // Timestamp is a struct that is equivalent to Time, but intended for | ||||
| // protobuf marshalling/unmarshalling. It is generated into a serialization | ||||
| // that matches Time. Do not use in Go structs. | ||||
| type Timestamp struct { | ||||
| 	// Represents seconds of UTC time since Unix epoch | ||||
| 	// 1970-01-01T00:00:00Z. Must be from 0001-01-01T00:00:00Z to | ||||
| 	// 9999-12-31T23:59:59Z inclusive. | ||||
| 	Seconds int64 `json:"seconds" protobuf:"varint,1,opt,name=seconds"` | ||||
| 	// Non-negative fractions of a second at nanosecond resolution. Negative | ||||
| 	// second values with fractions must still have non-negative nanos values | ||||
| 	// that count forward in time. Must be from 0 to 999,999,999 | ||||
| 	// inclusive. This field may be limited in precision depending on context. | ||||
| 	Nanos int32 `json:"nanos" protobuf:"varint,2,opt,name=nanos"` | ||||
| } | ||||
|  | ||||
| // Timestamp returns the Time as a new Timestamp value. | ||||
| func (m *Time) ProtoTime() *Timestamp { | ||||
| 	if m == nil { | ||||
| 		return &Timestamp{} | ||||
| 	} | ||||
| 	return &Timestamp{ | ||||
| 		Seconds: m.Time.Unix(), | ||||
| 		// leaving this here for the record.  our JSON only handled seconds, so this results in writes by | ||||
| 		// protobuf clients storing values that aren't read by json clients, which results in unexpected | ||||
| 		// field mutation, which fails various validation and equality code. | ||||
| 		// Nanos:   int32(m.Time.Nanosecond()), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Size implements the protobuf marshalling interface. | ||||
| func (m *Time) Size() (n int) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return m.ProtoTime().Size() | ||||
| } | ||||
|  | ||||
| // Reset implements the protobuf marshalling interface. | ||||
| func (m *Time) Unmarshal(data []byte) error { | ||||
| 	if len(data) == 0 { | ||||
| 		m.Time = time.Time{} | ||||
| 		return nil | ||||
| 	} | ||||
| 	p := Timestamp{} | ||||
| 	if err := p.Unmarshal(data); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	// leaving this here for the record.  our JSON only handled seconds, so this results in writes by | ||||
| 	// protobuf clients storing values that aren't read by json clients, which results in unexpected | ||||
| 	// field mutation, which fails various validation and equality code. | ||||
| 	// m.Time = time.Unix(p.Seconds, int64(p.Nanos)).Local() | ||||
| 	m.Time = time.Unix(p.Seconds, int64(0)).Local() | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // Marshal implements the protobuf marshalling interface. | ||||
| func (m *Time) Marshal() (data []byte, err error) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return nil, nil | ||||
| 	} | ||||
| 	return m.ProtoTime().Marshal() | ||||
| } | ||||
|  | ||||
| // MarshalTo implements the protobuf marshalling interface. | ||||
| func (m *Time) MarshalTo(data []byte) (int, error) { | ||||
| 	if m == nil || m.Time.IsZero() { | ||||
| 		return 0, nil | ||||
| 	} | ||||
| 	return m.ProtoTime().MarshalTo(data) | ||||
| } | ||||
							
								
								
									
										1130
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/types.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										1130
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/types.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										384
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/types_swagger_doc_generated.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										384
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/types_swagger_doc_generated.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,384 @@ | ||||
| /* | ||||
| Copyright 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 v1 | ||||
|  | ||||
| // This file contains a collection of methods that can be used from go-restful to | ||||
| // generate Swagger API documentation for its models. Please read this PR for more | ||||
| // information on the implementation: https://github.com/emicklei/go-restful/pull/215 | ||||
| // | ||||
| // TODOs are ignored from the parser (e.g. TODO(andronat):... || TODO:...) if and only if | ||||
| // they are on one line! For multiple line or blocks that you want to ignore use ---. | ||||
| // Any context after a --- is ignored. | ||||
| // | ||||
| // Those methods can be generated by using hack/update-generated-swagger-docs.sh | ||||
|  | ||||
| // AUTO-GENERATED FUNCTIONS START HERE. DO NOT EDIT. | ||||
| var map_APIGroup = map[string]string{ | ||||
| 	"":                           "APIGroup contains the name, the supported versions, and the preferred version of a group.", | ||||
| 	"name":                       "name is the name of the group.", | ||||
| 	"versions":                   "versions are the versions supported in this group.", | ||||
| 	"preferredVersion":           "preferredVersion is the version preferred by the API server, which probably is the storage version.", | ||||
| 	"serverAddressByClientCIDRs": "a map of client CIDR to server address that is serving this group. This is to help clients reach servers in the most network-efficient way possible. Clients can use the appropriate server address as per the CIDR that they match. In case of multiple matches, clients should use the longest matching CIDR. The server returns only those CIDRs that it thinks that the client can match. For example: the master will return an internal IP CIDR only, if the client reaches the server using an internal IP. Server looks at X-Forwarded-For header or X-Real-Ip header or request.RemoteAddr (in that order) to get the client IP.", | ||||
| } | ||||
|  | ||||
| func (APIGroup) SwaggerDoc() map[string]string { | ||||
| 	return map_APIGroup | ||||
| } | ||||
|  | ||||
| var map_APIGroupList = map[string]string{ | ||||
| 	"":       "APIGroupList is a list of APIGroup, to allow clients to discover the API at /apis.", | ||||
| 	"groups": "groups is a list of APIGroup.", | ||||
| } | ||||
|  | ||||
| func (APIGroupList) SwaggerDoc() map[string]string { | ||||
| 	return map_APIGroupList | ||||
| } | ||||
|  | ||||
| var map_APIResource = map[string]string{ | ||||
| 	"":                   "APIResource specifies the name of a resource and whether it is namespaced.", | ||||
| 	"name":               "name is the plural name of the resource.", | ||||
| 	"singularName":       "singularName is the singular name of the resource.  This allows clients to handle plural and singular opaquely. The singularName is more correct for reporting status on a single item and both singular and plural are allowed from the kubectl CLI interface.", | ||||
| 	"namespaced":         "namespaced indicates if a resource is namespaced or not.", | ||||
| 	"group":              "group is the preferred group of the resource.  Empty implies the group of the containing resource list. For subresources, this may have a different value, for example: Scale\".", | ||||
| 	"version":            "version is the preferred version of the resource.  Empty implies the version of the containing resource list For subresources, this may have a different value, for example: v1 (while inside a v1beta1 version of the core resource's group)\".", | ||||
| 	"kind":               "kind is the kind for the resource (e.g. 'Foo' is the kind for a resource 'foo')", | ||||
| 	"verbs":              "verbs is a list of supported kube verbs (this includes get, list, watch, create, update, patch, delete, deletecollection, and proxy)", | ||||
| 	"shortNames":         "shortNames is a list of suggested short names of the resource.", | ||||
| 	"categories":         "categories is a list of the grouped resources this resource belongs to (e.g. 'all')", | ||||
| 	"storageVersionHash": "The hash value of the storage version, the version this resource is converted to when written to the data store. Value must be treated as opaque by clients. Only equality comparison on the value is valid. This is an alpha feature and may change or be removed in the future. The field is populated by the apiserver only if the StorageVersionHash feature gate is enabled. This field will remain optional even if it graduates.", | ||||
| } | ||||
|  | ||||
| func (APIResource) SwaggerDoc() map[string]string { | ||||
| 	return map_APIResource | ||||
| } | ||||
|  | ||||
| var map_APIResourceList = map[string]string{ | ||||
| 	"":             "APIResourceList is a list of APIResource, it is used to expose the name of the resources supported in a specific group and version, and if the resource is namespaced.", | ||||
| 	"groupVersion": "groupVersion is the group and version this APIResourceList is for.", | ||||
| 	"resources":    "resources contains the name of the resources and if they are namespaced.", | ||||
| } | ||||
|  | ||||
| func (APIResourceList) SwaggerDoc() map[string]string { | ||||
| 	return map_APIResourceList | ||||
| } | ||||
|  | ||||
| var map_APIVersions = map[string]string{ | ||||
| 	"":                           "APIVersions lists the versions that are available, to allow clients to discover the API at /api, which is the root path of the legacy v1 API.", | ||||
| 	"versions":                   "versions are the api versions that are available.", | ||||
| 	"serverAddressByClientCIDRs": "a map of client CIDR to server address that is serving this group. This is to help clients reach servers in the most network-efficient way possible. Clients can use the appropriate server address as per the CIDR that they match. In case of multiple matches, clients should use the longest matching CIDR. The server returns only those CIDRs that it thinks that the client can match. For example: the master will return an internal IP CIDR only, if the client reaches the server using an internal IP. Server looks at X-Forwarded-For header or X-Real-Ip header or request.RemoteAddr (in that order) to get the client IP.", | ||||
| } | ||||
|  | ||||
| func (APIVersions) SwaggerDoc() map[string]string { | ||||
| 	return map_APIVersions | ||||
| } | ||||
|  | ||||
| var map_CreateOptions = map[string]string{ | ||||
| 	"":             "CreateOptions may be provided when creating an API object.", | ||||
| 	"dryRun":       "When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed", | ||||
| 	"fieldManager": "fieldManager is a name associated with the actor or entity that is making these changes. The value must be less than or 128 characters long, and only contain printable characters, as defined by https://golang.org/pkg/unicode/#IsPrint.", | ||||
| } | ||||
|  | ||||
| func (CreateOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_CreateOptions | ||||
| } | ||||
|  | ||||
| var map_DeleteOptions = map[string]string{ | ||||
| 	"":                   "DeleteOptions may be provided when deleting an API object.", | ||||
| 	"gracePeriodSeconds": "The duration in seconds before the object should be deleted. Value must be non-negative integer. The value zero indicates delete immediately. If this value is nil, the default grace period for the specified type will be used. Defaults to a per object value if not specified. zero means delete immediately.", | ||||
| 	"preconditions":      "Must be fulfilled before a deletion is carried out. If not possible, a 409 Conflict status will be returned.", | ||||
| 	"orphanDependents":   "Deprecated: please use the PropagationPolicy, this field will be deprecated in 1.7. Should the dependent objects be orphaned. If true/false, the \"orphan\" finalizer will be added to/removed from the object's finalizers list. Either this field or PropagationPolicy may be set, but not both.", | ||||
| 	"propagationPolicy":  "Whether and how garbage collection will be performed. Either this field or OrphanDependents may be set, but not both. The default policy is decided by the existing finalizer set in the metadata.finalizers and the resource-specific default policy. Acceptable values are: 'Orphan' - orphan the dependents; 'Background' - allow the garbage collector to delete the dependents in the background; 'Foreground' - a cascading policy that deletes all dependents in the foreground.", | ||||
| 	"dryRun":             "When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed", | ||||
| } | ||||
|  | ||||
| func (DeleteOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_DeleteOptions | ||||
| } | ||||
|  | ||||
| var map_ExportOptions = map[string]string{ | ||||
| 	"":       "ExportOptions is the query options to the standard REST get call. Deprecated. Planned for removal in 1.18.", | ||||
| 	"export": "Should this value be exported.  Export strips fields that a user can not specify. Deprecated. Planned for removal in 1.18.", | ||||
| 	"exact":  "Should the export be exact.  Exact export maintains cluster-specific fields like 'Namespace'. Deprecated. Planned for removal in 1.18.", | ||||
| } | ||||
|  | ||||
| func (ExportOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_ExportOptions | ||||
| } | ||||
|  | ||||
| var map_Fields = map[string]string{ | ||||
| 	"": "Fields stores a set of fields in a data structure like a Trie. To understand how this is used, see: https://github.com/kubernetes-sigs/structured-merge-diff", | ||||
| } | ||||
|  | ||||
| func (Fields) SwaggerDoc() map[string]string { | ||||
| 	return map_Fields | ||||
| } | ||||
|  | ||||
| var map_GetOptions = map[string]string{ | ||||
| 	"":                "GetOptions is the standard query options to the standard REST get call.", | ||||
| 	"resourceVersion": "When specified: - if unset, then the result is returned from remote storage based on quorum-read flag; - if it's 0, then we simply return what we currently have in cache, no guarantee; - if set to non zero, then the result is at least as fresh as given rv.", | ||||
| } | ||||
|  | ||||
| func (GetOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_GetOptions | ||||
| } | ||||
|  | ||||
| var map_GroupVersionForDiscovery = map[string]string{ | ||||
| 	"":             "GroupVersion contains the \"group/version\" and \"version\" string of a version. It is made a struct to keep extensibility.", | ||||
| 	"groupVersion": "groupVersion specifies the API group and version in the form \"group/version\"", | ||||
| 	"version":      "version specifies the version in the form of \"version\". This is to save the clients the trouble of splitting the GroupVersion.", | ||||
| } | ||||
|  | ||||
| func (GroupVersionForDiscovery) SwaggerDoc() map[string]string { | ||||
| 	return map_GroupVersionForDiscovery | ||||
| } | ||||
|  | ||||
| var map_Initializer = map[string]string{ | ||||
| 	"":     "Initializer is information about an initializer that has not yet completed.", | ||||
| 	"name": "name of the process that is responsible for initializing this object.", | ||||
| } | ||||
|  | ||||
| func (Initializer) SwaggerDoc() map[string]string { | ||||
| 	return map_Initializer | ||||
| } | ||||
|  | ||||
| var map_Initializers = map[string]string{ | ||||
| 	"":        "Initializers tracks the progress of initialization.", | ||||
| 	"pending": "Pending is a list of initializers that must execute in order before this object is visible. When the last pending initializer is removed, and no failing result is set, the initializers struct will be set to nil and the object is considered as initialized and visible to all clients.", | ||||
| 	"result":  "If result is set with the Failure field, the object will be persisted to storage and then deleted, ensuring that other clients can observe the deletion.", | ||||
| } | ||||
|  | ||||
| func (Initializers) SwaggerDoc() map[string]string { | ||||
| 	return map_Initializers | ||||
| } | ||||
|  | ||||
| var map_LabelSelector = map[string]string{ | ||||
| 	"":                 "A label selector is a label query over a set of resources. The result of matchLabels and matchExpressions are ANDed. An empty label selector matches all objects. A null label selector matches no objects.", | ||||
| 	"matchLabels":      "matchLabels is a map of {key,value} pairs. A single {key,value} in the matchLabels map is equivalent to an element of matchExpressions, whose key field is \"key\", the operator is \"In\", and the values array contains only \"value\". The requirements are ANDed.", | ||||
| 	"matchExpressions": "matchExpressions is a list of label selector requirements. The requirements are ANDed.", | ||||
| } | ||||
|  | ||||
| func (LabelSelector) SwaggerDoc() map[string]string { | ||||
| 	return map_LabelSelector | ||||
| } | ||||
|  | ||||
| var map_LabelSelectorRequirement = map[string]string{ | ||||
| 	"":         "A label selector requirement is a selector that contains values, a key, and an operator that relates the key and values.", | ||||
| 	"key":      "key is the label key that the selector applies to.", | ||||
| 	"operator": "operator represents a key's relationship to a set of values. Valid operators are In, NotIn, Exists and DoesNotExist.", | ||||
| 	"values":   "values is an array of string values. If the operator is In or NotIn, the values array must be non-empty. If the operator is Exists or DoesNotExist, the values array must be empty. This array is replaced during a strategic merge patch.", | ||||
| } | ||||
|  | ||||
| func (LabelSelectorRequirement) SwaggerDoc() map[string]string { | ||||
| 	return map_LabelSelectorRequirement | ||||
| } | ||||
|  | ||||
| var map_List = map[string]string{ | ||||
| 	"":         "List holds a list of objects, which may not be known by the server.", | ||||
| 	"metadata": "Standard list metadata. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"items":    "List of objects", | ||||
| } | ||||
|  | ||||
| func (List) SwaggerDoc() map[string]string { | ||||
| 	return map_List | ||||
| } | ||||
|  | ||||
| var map_ListMeta = map[string]string{ | ||||
| 	"":                "ListMeta describes metadata that synthetic resources must have, including lists and various status objects. A resource may have only one of {ObjectMeta, ListMeta}.", | ||||
| 	"selfLink":        "selfLink is a URL representing this object. Populated by the system. Read-only.", | ||||
| 	"resourceVersion": "String that identifies the server's internal version of this object that can be used by clients to determine when objects have changed. Value must be treated as opaque by clients and passed unmodified back to the server. Populated by the system. Read-only. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#concurrency-control-and-consistency", | ||||
| 	"continue":        "continue may be set if the user set a limit on the number of items returned, and indicates that the server has more data available. The value is opaque and may be used to issue another request to the endpoint that served this list to retrieve the next set of available objects. Continuing a consistent list may not be possible if the server configuration has changed or more than a few minutes have passed. The resourceVersion field returned when using this continue value will be identical to the value in the first response, unless you have received this token from an error message.", | ||||
| } | ||||
|  | ||||
| func (ListMeta) SwaggerDoc() map[string]string { | ||||
| 	return map_ListMeta | ||||
| } | ||||
|  | ||||
| var map_ListOptions = map[string]string{ | ||||
| 	"":                "ListOptions is the query options to a standard REST list call.", | ||||
| 	"labelSelector":   "A selector to restrict the list of returned objects by their labels. Defaults to everything.", | ||||
| 	"fieldSelector":   "A selector to restrict the list of returned objects by their fields. Defaults to everything.", | ||||
| 	"watch":           "Watch for changes to the described resources and return them as a stream of add, update, and remove notifications. Specify resourceVersion.", | ||||
| 	"resourceVersion": "When specified with a watch call, shows changes that occur after that particular version of a resource. Defaults to changes from the beginning of history. When specified for list: - if unset, then the result is returned from remote storage based on quorum-read flag; - if it's 0, then we simply return what we currently have in cache, no guarantee; - if set to non zero, then the result is at least as fresh as given rv.", | ||||
| 	"timeoutSeconds":  "Timeout for the list/watch call. This limits the duration of the call, regardless of any activity or inactivity.", | ||||
| 	"limit":           "limit is a maximum number of responses to return for a list call. If more items exist, the server will set the `continue` field on the list metadata to a value that can be used with the same initial query to retrieve the next set of results. Setting a limit may return fewer than the requested amount of items (up to zero items) in the event all requested objects are filtered out and clients should only use the presence of the continue field to determine whether more results are available. Servers may choose not to support the limit argument and will return all of the available results. If limit is specified and the continue field is empty, clients may assume that no more results are available. This field is not supported if watch is true.\n\nThe server guarantees that the objects returned when using continue will be identical to issuing a single list call without a limit - that is, no objects created, modified, or deleted after the first request is issued will be included in any subsequent continued requests. This is sometimes referred to as a consistent snapshot, and ensures that a client that is using limit to receive smaller chunks of a very large result can ensure they see all possible objects. If objects are updated during a chunked list the version of the object that was present at the time the first list result was calculated is returned.", | ||||
| 	"continue":        "The continue option should be set when retrieving more results from the server. Since this value is server defined, clients may only use the continue value from a previous query result with identical query parameters (except for the value of continue) and the server may reject a continue value it does not recognize. If the specified continue value is no longer valid whether due to expiration (generally five to fifteen minutes) or a configuration change on the server, the server will respond with a 410 ResourceExpired error together with a continue token. If the client needs a consistent list, it must restart their list without the continue field. Otherwise, the client may send another list request with the token received with the 410 error, the server will respond with a list starting from the next key, but from the latest snapshot, which is inconsistent from the previous list results - objects that are created, modified, or deleted after the first list request will be included in the response, as long as their keys are after the \"next key\".\n\nThis field is not supported when watch is true. Clients may start a watch from the last resourceVersion value returned by the server and not miss any modifications.", | ||||
| } | ||||
|  | ||||
| func (ListOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_ListOptions | ||||
| } | ||||
|  | ||||
| var map_ManagedFieldsEntry = map[string]string{ | ||||
| 	"":           "ManagedFieldsEntry is a workflow-id, a FieldSet and the group version of the resource that the fieldset applies to.", | ||||
| 	"manager":    "Manager is an identifier of the workflow managing these fields.", | ||||
| 	"operation":  "Operation is the type of operation which lead to this ManagedFieldsEntry being created. The only valid values for this field are 'Apply' and 'Update'.", | ||||
| 	"apiVersion": "APIVersion defines the version of this resource that this field set applies to. The format is \"group/version\" just like the top-level APIVersion field. It is necessary to track the version of a field set because it cannot be automatically converted.", | ||||
| 	"time":       "Time is timestamp of when these fields were set. It should always be empty if Operation is 'Apply'", | ||||
| 	"fields":     "Fields identifies a set of fields.", | ||||
| } | ||||
|  | ||||
| func (ManagedFieldsEntry) SwaggerDoc() map[string]string { | ||||
| 	return map_ManagedFieldsEntry | ||||
| } | ||||
|  | ||||
| var map_ObjectMeta = map[string]string{ | ||||
| 	"":                           "ObjectMeta is metadata that all persisted resources must have, which includes all objects users must create.", | ||||
| 	"name":                       "Name must be unique within a namespace. Is required when creating resources, although some resources may allow a client to request the generation of an appropriate name automatically. Name is primarily intended for creation idempotence and configuration definition. Cannot be updated. More info: http://kubernetes.io/docs/user-guide/identifiers#names", | ||||
| 	"generateName":               "GenerateName is an optional prefix, used by the server, to generate a unique name ONLY IF the Name field has not been provided. If this field is used, the name returned to the client will be different than the name passed. This value will also be combined with a unique suffix. The provided value has the same validation rules as the Name field, and may be truncated by the length of the suffix required to make the value unique on the server.\n\nIf this field is specified and the generated name exists, the server will NOT return a 409 - instead, it will either return 201 Created or 500 with Reason ServerTimeout indicating a unique name could not be found in the time allotted, and the client should retry (optionally after the time indicated in the Retry-After header).\n\nApplied only if Name is not specified. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#idempotency", | ||||
| 	"namespace":                  "Namespace defines the space within each name must be unique. An empty namespace is equivalent to the \"default\" namespace, but \"default\" is the canonical representation. Not all objects are required to be scoped to a namespace - the value of this field for those objects will be empty.\n\nMust be a DNS_LABEL. Cannot be updated. More info: http://kubernetes.io/docs/user-guide/namespaces", | ||||
| 	"selfLink":                   "SelfLink is a URL representing this object. Populated by the system. Read-only.", | ||||
| 	"uid":                        "UID is the unique in time and space value for this object. It is typically generated by the server on successful creation of a resource and is not allowed to change on PUT operations.\n\nPopulated by the system. Read-only. More info: http://kubernetes.io/docs/user-guide/identifiers#uids", | ||||
| 	"resourceVersion":            "An opaque value that represents the internal version of this object that can be used by clients to determine when objects have changed. May be used for optimistic concurrency, change detection, and the watch operation on a resource or set of resources. Clients must treat these values as opaque and passed unmodified back to the server. They may only be valid for a particular resource or set of resources.\n\nPopulated by the system. Read-only. Value must be treated as opaque by clients and . More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#concurrency-control-and-consistency", | ||||
| 	"generation":                 "A sequence number representing a specific generation of the desired state. Populated by the system. Read-only.", | ||||
| 	"creationTimestamp":          "CreationTimestamp is a timestamp representing the server time when this object was created. It is not guaranteed to be set in happens-before order across separate operations. Clients may not set this value. It is represented in RFC3339 form and is in UTC.\n\nPopulated by the system. Read-only. Null for lists. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata", | ||||
| 	"deletionTimestamp":          "DeletionTimestamp is RFC 3339 date and time at which this resource will be deleted. This field is set by the server when a graceful deletion is requested by the user, and is not directly settable by a client. The resource is expected to be deleted (no longer visible from resource lists, and not reachable by name) after the time in this field, once the finalizers list is empty. As long as the finalizers list contains items, deletion is blocked. Once the deletionTimestamp is set, this value may not be unset or be set further into the future, although it may be shortened or the resource may be deleted prior to this time. For example, a user may request that a pod is deleted in 30 seconds. The Kubelet will react by sending a graceful termination signal to the containers in the pod. After that 30 seconds, the Kubelet will send a hard termination signal (SIGKILL) to the container and after cleanup, remove the pod from the API. In the presence of network partitions, this object may still exist after this timestamp, until an administrator or automated process can determine the resource is fully terminated. If not set, graceful deletion of the object has not been requested.\n\nPopulated by the system when a graceful deletion is requested. Read-only. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata", | ||||
| 	"deletionGracePeriodSeconds": "Number of seconds allowed for this object to gracefully terminate before it will be removed from the system. Only set when deletionTimestamp is also set. May only be shortened. Read-only.", | ||||
| 	"labels":                     "Map of string keys and values that can be used to organize and categorize (scope and select) objects. May match selectors of replication controllers and services. More info: http://kubernetes.io/docs/user-guide/labels", | ||||
| 	"annotations":                "Annotations is an unstructured key value map stored with a resource that may be set by external tools to store and retrieve arbitrary metadata. They are not queryable and should be preserved when modifying objects. More info: http://kubernetes.io/docs/user-guide/annotations", | ||||
| 	"ownerReferences":            "List of objects depended by this object. If ALL objects in the list have been deleted, this object will be garbage collected. If this object is managed by a controller, then an entry in this list will point to this controller, with the controller field set to true. There cannot be more than one managing controller.", | ||||
| 	"initializers":               "An initializer is a controller which enforces some system invariant at object creation time. This field is a list of initializers that have not yet acted on this object. If nil or empty, this object has been completely initialized. Otherwise, the object is considered uninitialized and is hidden (in list/watch and get calls) from clients that haven't explicitly asked to observe uninitialized objects.\n\nWhen an object is created, the system will populate this list with the current set of initializers. Only privileged users may set or modify this list. Once it is empty, it may not be modified further by any user.\n\nDEPRECATED - initializers are an alpha field and will be removed in v1.15.", | ||||
| 	"finalizers":                 "Must be empty before the object is deleted from the registry. Each entry is an identifier for the responsible component that will remove the entry from the list. If the deletionTimestamp of the object is non-nil, entries in this list can only be removed.", | ||||
| 	"clusterName":                "The name of the cluster which the object belongs to. This is used to distinguish resources with same name and namespace in different clusters. This field is not set anywhere right now and apiserver is going to ignore it if set in create or update request.", | ||||
| 	"managedFields":              "ManagedFields maps workflow-id and version to the set of fields that are managed by that workflow. This is mostly for internal housekeeping, and users typically shouldn't need to set or understand this field. A workflow can be the user's name, a controller's name, or the name of a specific apply path like \"ci-cd\". The set of fields is always in the version that the workflow used when modifying the object.\n\nThis field is alpha and can be changed or removed without notice.", | ||||
| } | ||||
|  | ||||
| func (ObjectMeta) SwaggerDoc() map[string]string { | ||||
| 	return map_ObjectMeta | ||||
| } | ||||
|  | ||||
| var map_OwnerReference = map[string]string{ | ||||
| 	"":                   "OwnerReference contains enough information to let you identify an owning object. An owning object must be in the same namespace as the dependent, or be cluster-scoped, so there is no namespace field.", | ||||
| 	"apiVersion":         "API version of the referent.", | ||||
| 	"kind":               "Kind of the referent. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"name":               "Name of the referent. More info: http://kubernetes.io/docs/user-guide/identifiers#names", | ||||
| 	"uid":                "UID of the referent. More info: http://kubernetes.io/docs/user-guide/identifiers#uids", | ||||
| 	"controller":         "If true, this reference points to the managing controller.", | ||||
| 	"blockOwnerDeletion": "If true, AND if the owner has the \"foregroundDeletion\" finalizer, then the owner cannot be deleted from the key-value store until this reference is removed. Defaults to false. To set this field, a user needs \"delete\" permission of the owner, otherwise 422 (Unprocessable Entity) will be returned.", | ||||
| } | ||||
|  | ||||
| func (OwnerReference) SwaggerDoc() map[string]string { | ||||
| 	return map_OwnerReference | ||||
| } | ||||
|  | ||||
| var map_Patch = map[string]string{ | ||||
| 	"": "Patch is provided to give a concrete name and type to the Kubernetes PATCH request body.", | ||||
| } | ||||
|  | ||||
| func (Patch) SwaggerDoc() map[string]string { | ||||
| 	return map_Patch | ||||
| } | ||||
|  | ||||
| var map_PatchOptions = map[string]string{ | ||||
| 	"":             "PatchOptions may be provided when patching an API object. PatchOptions is meant to be a superset of UpdateOptions.", | ||||
| 	"dryRun":       "When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed", | ||||
| 	"force":        "Force is going to \"force\" Apply requests. It means user will re-acquire conflicting fields owned by other people. Force flag must be unset for non-apply patch requests.", | ||||
| 	"fieldManager": "fieldManager is a name associated with the actor or entity that is making these changes. The value must be less than or 128 characters long, and only contain printable characters, as defined by https://golang.org/pkg/unicode/#IsPrint. This field is required for apply requests (application/apply-patch) but optional for non-apply patch types (JsonPatch, MergePatch, StrategicMergePatch).", | ||||
| } | ||||
|  | ||||
| func (PatchOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_PatchOptions | ||||
| } | ||||
|  | ||||
| var map_Preconditions = map[string]string{ | ||||
| 	"":                "Preconditions must be fulfilled before an operation (update, delete, etc.) is carried out.", | ||||
| 	"uid":             "Specifies the target UID.", | ||||
| 	"resourceVersion": "Specifies the target ResourceVersion", | ||||
| } | ||||
|  | ||||
| func (Preconditions) SwaggerDoc() map[string]string { | ||||
| 	return map_Preconditions | ||||
| } | ||||
|  | ||||
| var map_RootPaths = map[string]string{ | ||||
| 	"":      "RootPaths lists the paths available at root. For example: \"/healthz\", \"/apis\".", | ||||
| 	"paths": "paths are the paths available at root.", | ||||
| } | ||||
|  | ||||
| func (RootPaths) SwaggerDoc() map[string]string { | ||||
| 	return map_RootPaths | ||||
| } | ||||
|  | ||||
| var map_ServerAddressByClientCIDR = map[string]string{ | ||||
| 	"":              "ServerAddressByClientCIDR helps the client to determine the server address that they should use, depending on the clientCIDR that they match.", | ||||
| 	"clientCIDR":    "The CIDR with which clients can match their IP to figure out the server address that they should use.", | ||||
| 	"serverAddress": "Address of this server, suitable for a client that matches the above CIDR. This can be a hostname, hostname:port, IP or IP:port.", | ||||
| } | ||||
|  | ||||
| func (ServerAddressByClientCIDR) SwaggerDoc() map[string]string { | ||||
| 	return map_ServerAddressByClientCIDR | ||||
| } | ||||
|  | ||||
| var map_Status = map[string]string{ | ||||
| 	"":         "Status is a return value for calls that don't return other objects.", | ||||
| 	"metadata": "Standard list metadata. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"status":   "Status of the operation. One of: \"Success\" or \"Failure\". More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#spec-and-status", | ||||
| 	"message":  "A human-readable description of the status of this operation.", | ||||
| 	"reason":   "A machine-readable description of why this operation is in the \"Failure\" status. If this value is empty there is no information available. A Reason clarifies an HTTP status code but does not override it.", | ||||
| 	"details":  "Extended data associated with the reason.  Each reason may define its own extended details. This field is optional and the data returned is not guaranteed to conform to any schema except that defined by the reason type.", | ||||
| 	"code":     "Suggested HTTP return code for this status, 0 if not set.", | ||||
| } | ||||
|  | ||||
| func (Status) SwaggerDoc() map[string]string { | ||||
| 	return map_Status | ||||
| } | ||||
|  | ||||
| var map_StatusCause = map[string]string{ | ||||
| 	"":        "StatusCause provides more information about an api.Status failure, including cases when multiple errors are encountered.", | ||||
| 	"reason":  "A machine-readable description of the cause of the error. If this value is empty there is no information available.", | ||||
| 	"message": "A human-readable description of the cause of the error.  This field may be presented as-is to a reader.", | ||||
| 	"field":   "The field of the resource that has caused this error, as named by its JSON serialization. May include dot and postfix notation for nested attributes. Arrays are zero-indexed.  Fields may appear more than once in an array of causes due to fields having multiple errors. Optional.\n\nExamples:\n  \"name\" - the field \"name\" on the current resource\n  \"items[0].name\" - the field \"name\" on the first array entry in \"items\"", | ||||
| } | ||||
|  | ||||
| func (StatusCause) SwaggerDoc() map[string]string { | ||||
| 	return map_StatusCause | ||||
| } | ||||
|  | ||||
| var map_StatusDetails = map[string]string{ | ||||
| 	"":                  "StatusDetails is a set of additional properties that MAY be set by the server to provide additional information about a response. The Reason field of a Status object defines what attributes will be set. Clients must ignore fields that do not match the defined type of each attribute, and should assume that any attribute may be empty, invalid, or under defined.", | ||||
| 	"name":              "The name attribute of the resource associated with the status StatusReason (when there is a single name which can be described).", | ||||
| 	"group":             "The group attribute of the resource associated with the status StatusReason.", | ||||
| 	"kind":              "The kind attribute of the resource associated with the status StatusReason. On some operations may differ from the requested resource Kind. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"uid":               "UID of the resource. (when there is a single resource which can be described). More info: http://kubernetes.io/docs/user-guide/identifiers#uids", | ||||
| 	"causes":            "The Causes array includes more details associated with the StatusReason failure. Not all StatusReasons may provide detailed causes.", | ||||
| 	"retryAfterSeconds": "If specified, the time in seconds before the operation should be retried. Some errors may indicate the client must take an alternate action - for those errors this field may indicate how long to wait before taking the alternate action.", | ||||
| } | ||||
|  | ||||
| func (StatusDetails) SwaggerDoc() map[string]string { | ||||
| 	return map_StatusDetails | ||||
| } | ||||
|  | ||||
| var map_TypeMeta = map[string]string{ | ||||
| 	"":           "TypeMeta describes an individual object in an API response or request with strings representing the type of the object and its API schema version. Structures that are versioned or persisted should inline TypeMeta.", | ||||
| 	"kind":       "Kind is a string value representing the REST resource this object represents. Servers may infer this from the endpoint the client submits requests to. Cannot be updated. In CamelCase. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"apiVersion": "APIVersion defines the versioned schema of this representation of an object. Servers should convert recognized schemas to the latest internal value, and may reject unrecognized values. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#resources", | ||||
| } | ||||
|  | ||||
| func (TypeMeta) SwaggerDoc() map[string]string { | ||||
| 	return map_TypeMeta | ||||
| } | ||||
|  | ||||
| var map_UpdateOptions = map[string]string{ | ||||
| 	"":             "UpdateOptions may be provided when updating an API object. All fields in UpdateOptions should also be present in PatchOptions.", | ||||
| 	"dryRun":       "When present, indicates that modifications should not be persisted. An invalid or unrecognized dryRun directive will result in an error response and no further processing of the request. Valid values are: - All: all dry run stages will be processed", | ||||
| 	"fieldManager": "fieldManager is a name associated with the actor or entity that is making these changes. The value must be less than or 128 characters long, and only contain printable characters, as defined by https://golang.org/pkg/unicode/#IsPrint.", | ||||
| } | ||||
|  | ||||
| func (UpdateOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_UpdateOptions | ||||
| } | ||||
|  | ||||
| // AUTO-GENERATED FUNCTIONS END HERE | ||||
							
								
								
									
										454
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/helpers.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										454
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/helpers.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,454 @@ | ||||
| /* | ||||
| Copyright 2015 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 unstructured | ||||
|  | ||||
| import ( | ||||
| 	gojson "encoding/json" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"strings" | ||||
|  | ||||
| 	metav1 "k8s.io/apimachinery/pkg/apis/meta/v1" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| 	"k8s.io/apimachinery/pkg/types" | ||||
| 	"k8s.io/apimachinery/pkg/util/json" | ||||
| ) | ||||
|  | ||||
| // NestedFieldCopy returns a deep copy of the value of a nested field. | ||||
| // Returns false if the value is missing. | ||||
| // No error is returned for a nil field. | ||||
| func NestedFieldCopy(obj map[string]interface{}, fields ...string) (interface{}, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	return runtime.DeepCopyJSONValue(val), true, nil | ||||
| } | ||||
|  | ||||
| // NestedFieldNoCopy returns a reference to a nested field. | ||||
| // Returns false if value is not found and an error if unable | ||||
| // to traverse obj. | ||||
| func NestedFieldNoCopy(obj map[string]interface{}, fields ...string) (interface{}, bool, error) { | ||||
| 	var val interface{} = obj | ||||
|  | ||||
| 	for i, field := range fields { | ||||
| 		if val == nil { | ||||
| 			return nil, false, nil | ||||
| 		} | ||||
| 		if m, ok := val.(map[string]interface{}); ok { | ||||
| 			val, ok = m[field] | ||||
| 			if !ok { | ||||
| 				return nil, false, nil | ||||
| 			} | ||||
| 		} else { | ||||
| 			return nil, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected map[string]interface{}", jsonPath(fields[:i+1]), val, val) | ||||
| 		} | ||||
| 	} | ||||
| 	return val, true, nil | ||||
| } | ||||
|  | ||||
| // NestedString returns the string value of a nested field. | ||||
| // Returns false if value is not found and an error if not a string. | ||||
| func NestedString(obj map[string]interface{}, fields ...string) (string, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return "", found, err | ||||
| 	} | ||||
| 	s, ok := val.(string) | ||||
| 	if !ok { | ||||
| 		return "", false, fmt.Errorf("%v accessor error: %v is of the type %T, expected string", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return s, true, nil | ||||
| } | ||||
|  | ||||
| // NestedBool returns the bool value of a nested field. | ||||
| // Returns false if value is not found and an error if not a bool. | ||||
| func NestedBool(obj map[string]interface{}, fields ...string) (bool, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return false, found, err | ||||
| 	} | ||||
| 	b, ok := val.(bool) | ||||
| 	if !ok { | ||||
| 		return false, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected bool", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return b, true, nil | ||||
| } | ||||
|  | ||||
| // NestedFloat64 returns the float64 value of a nested field. | ||||
| // Returns false if value is not found and an error if not a float64. | ||||
| func NestedFloat64(obj map[string]interface{}, fields ...string) (float64, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return 0, found, err | ||||
| 	} | ||||
| 	f, ok := val.(float64) | ||||
| 	if !ok { | ||||
| 		return 0, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected float64", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return f, true, nil | ||||
| } | ||||
|  | ||||
| // NestedInt64 returns the int64 value of a nested field. | ||||
| // Returns false if value is not found and an error if not an int64. | ||||
| func NestedInt64(obj map[string]interface{}, fields ...string) (int64, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return 0, found, err | ||||
| 	} | ||||
| 	i, ok := val.(int64) | ||||
| 	if !ok { | ||||
| 		return 0, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected int64", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return i, true, nil | ||||
| } | ||||
|  | ||||
| // NestedStringSlice returns a copy of []string value of a nested field. | ||||
| // Returns false if value is not found and an error if not a []interface{} or contains non-string items in the slice. | ||||
| func NestedStringSlice(obj map[string]interface{}, fields ...string) ([]string, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	m, ok := val.([]interface{}) | ||||
| 	if !ok { | ||||
| 		return nil, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected []interface{}", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	strSlice := make([]string, 0, len(m)) | ||||
| 	for _, v := range m { | ||||
| 		if str, ok := v.(string); ok { | ||||
| 			strSlice = append(strSlice, str) | ||||
| 		} else { | ||||
| 			return nil, false, fmt.Errorf("%v accessor error: contains non-string key in the slice: %v is of the type %T, expected string", jsonPath(fields), v, v) | ||||
| 		} | ||||
| 	} | ||||
| 	return strSlice, true, nil | ||||
| } | ||||
|  | ||||
| // NestedSlice returns a deep copy of []interface{} value of a nested field. | ||||
| // Returns false if value is not found and an error if not a []interface{}. | ||||
| func NestedSlice(obj map[string]interface{}, fields ...string) ([]interface{}, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	_, ok := val.([]interface{}) | ||||
| 	if !ok { | ||||
| 		return nil, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected []interface{}", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return runtime.DeepCopyJSONValue(val).([]interface{}), true, nil | ||||
| } | ||||
|  | ||||
| // NestedStringMap returns a copy of map[string]string value of a nested field. | ||||
| // Returns false if value is not found and an error if not a map[string]interface{} or contains non-string values in the map. | ||||
| func NestedStringMap(obj map[string]interface{}, fields ...string) (map[string]string, bool, error) { | ||||
| 	m, found, err := nestedMapNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	strMap := make(map[string]string, len(m)) | ||||
| 	for k, v := range m { | ||||
| 		if str, ok := v.(string); ok { | ||||
| 			strMap[k] = str | ||||
| 		} else { | ||||
| 			return nil, false, fmt.Errorf("%v accessor error: contains non-string key in the map: %v is of the type %T, expected string", jsonPath(fields), v, v) | ||||
| 		} | ||||
| 	} | ||||
| 	return strMap, true, nil | ||||
| } | ||||
|  | ||||
| // NestedMap returns a deep copy of map[string]interface{} value of a nested field. | ||||
| // Returns false if value is not found and an error if not a map[string]interface{}. | ||||
| func NestedMap(obj map[string]interface{}, fields ...string) (map[string]interface{}, bool, error) { | ||||
| 	m, found, err := nestedMapNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	return runtime.DeepCopyJSON(m), true, nil | ||||
| } | ||||
|  | ||||
| // nestedMapNoCopy returns a map[string]interface{} value of a nested field. | ||||
| // Returns false if value is not found and an error if not a map[string]interface{}. | ||||
| func nestedMapNoCopy(obj map[string]interface{}, fields ...string) (map[string]interface{}, bool, error) { | ||||
| 	val, found, err := NestedFieldNoCopy(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return nil, found, err | ||||
| 	} | ||||
| 	m, ok := val.(map[string]interface{}) | ||||
| 	if !ok { | ||||
| 		return nil, false, fmt.Errorf("%v accessor error: %v is of the type %T, expected map[string]interface{}", jsonPath(fields), val, val) | ||||
| 	} | ||||
| 	return m, true, nil | ||||
| } | ||||
|  | ||||
| // SetNestedField sets the value of a nested field to a deep copy of the value provided. | ||||
| // Returns an error if value cannot be set because one of the nesting levels is not a map[string]interface{}. | ||||
| func SetNestedField(obj map[string]interface{}, value interface{}, fields ...string) error { | ||||
| 	return setNestedFieldNoCopy(obj, runtime.DeepCopyJSONValue(value), fields...) | ||||
| } | ||||
|  | ||||
| func setNestedFieldNoCopy(obj map[string]interface{}, value interface{}, fields ...string) error { | ||||
| 	m := obj | ||||
|  | ||||
| 	for i, field := range fields[:len(fields)-1] { | ||||
| 		if val, ok := m[field]; ok { | ||||
| 			if valMap, ok := val.(map[string]interface{}); ok { | ||||
| 				m = valMap | ||||
| 			} else { | ||||
| 				return fmt.Errorf("value cannot be set because %v is not a map[string]interface{}", jsonPath(fields[:i+1])) | ||||
| 			} | ||||
| 		} else { | ||||
| 			newVal := make(map[string]interface{}) | ||||
| 			m[field] = newVal | ||||
| 			m = newVal | ||||
| 		} | ||||
| 	} | ||||
| 	m[fields[len(fields)-1]] = value | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // SetNestedStringSlice sets the string slice value of a nested field. | ||||
| // Returns an error if value cannot be set because one of the nesting levels is not a map[string]interface{}. | ||||
| func SetNestedStringSlice(obj map[string]interface{}, value []string, fields ...string) error { | ||||
| 	m := make([]interface{}, 0, len(value)) // convert []string into []interface{} | ||||
| 	for _, v := range value { | ||||
| 		m = append(m, v) | ||||
| 	} | ||||
| 	return setNestedFieldNoCopy(obj, m, fields...) | ||||
| } | ||||
|  | ||||
| // SetNestedSlice sets the slice value of a nested field. | ||||
| // Returns an error if value cannot be set because one of the nesting levels is not a map[string]interface{}. | ||||
| func SetNestedSlice(obj map[string]interface{}, value []interface{}, fields ...string) error { | ||||
| 	return SetNestedField(obj, value, fields...) | ||||
| } | ||||
|  | ||||
| // SetNestedStringMap sets the map[string]string value of a nested field. | ||||
| // Returns an error if value cannot be set because one of the nesting levels is not a map[string]interface{}. | ||||
| func SetNestedStringMap(obj map[string]interface{}, value map[string]string, fields ...string) error { | ||||
| 	m := make(map[string]interface{}, len(value)) // convert map[string]string into map[string]interface{} | ||||
| 	for k, v := range value { | ||||
| 		m[k] = v | ||||
| 	} | ||||
| 	return setNestedFieldNoCopy(obj, m, fields...) | ||||
| } | ||||
|  | ||||
| // SetNestedMap sets the map[string]interface{} value of a nested field. | ||||
| // Returns an error if value cannot be set because one of the nesting levels is not a map[string]interface{}. | ||||
| func SetNestedMap(obj map[string]interface{}, value map[string]interface{}, fields ...string) error { | ||||
| 	return SetNestedField(obj, value, fields...) | ||||
| } | ||||
|  | ||||
| // RemoveNestedField removes the nested field from the obj. | ||||
| func RemoveNestedField(obj map[string]interface{}, fields ...string) { | ||||
| 	m := obj | ||||
| 	for _, field := range fields[:len(fields)-1] { | ||||
| 		if x, ok := m[field].(map[string]interface{}); ok { | ||||
| 			m = x | ||||
| 		} else { | ||||
| 			return | ||||
| 		} | ||||
| 	} | ||||
| 	delete(m, fields[len(fields)-1]) | ||||
| } | ||||
|  | ||||
| func getNestedString(obj map[string]interface{}, fields ...string) string { | ||||
| 	val, found, err := NestedString(obj, fields...) | ||||
| 	if !found || err != nil { | ||||
| 		return "" | ||||
| 	} | ||||
| 	return val | ||||
| } | ||||
|  | ||||
| func jsonPath(fields []string) string { | ||||
| 	return "." + strings.Join(fields, ".") | ||||
| } | ||||
|  | ||||
| func extractOwnerReference(v map[string]interface{}) metav1.OwnerReference { | ||||
| 	// though this field is a *bool, but when decoded from JSON, it's | ||||
| 	// unmarshalled as bool. | ||||
| 	var controllerPtr *bool | ||||
| 	if controller, found, err := NestedBool(v, "controller"); err == nil && found { | ||||
| 		controllerPtr = &controller | ||||
| 	} | ||||
| 	var blockOwnerDeletionPtr *bool | ||||
| 	if blockOwnerDeletion, found, err := NestedBool(v, "blockOwnerDeletion"); err == nil && found { | ||||
| 		blockOwnerDeletionPtr = &blockOwnerDeletion | ||||
| 	} | ||||
| 	return metav1.OwnerReference{ | ||||
| 		Kind:               getNestedString(v, "kind"), | ||||
| 		Name:               getNestedString(v, "name"), | ||||
| 		APIVersion:         getNestedString(v, "apiVersion"), | ||||
| 		UID:                types.UID(getNestedString(v, "uid")), | ||||
| 		Controller:         controllerPtr, | ||||
| 		BlockOwnerDeletion: blockOwnerDeletionPtr, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // UnstructuredJSONScheme is capable of converting JSON data into the Unstructured | ||||
| // type, which can be used for generic access to objects without a predefined scheme. | ||||
| // TODO: move into serializer/json. | ||||
| var UnstructuredJSONScheme runtime.Codec = unstructuredJSONScheme{} | ||||
|  | ||||
| type unstructuredJSONScheme struct{} | ||||
|  | ||||
| func (s unstructuredJSONScheme) Decode(data []byte, _ *schema.GroupVersionKind, obj runtime.Object) (runtime.Object, *schema.GroupVersionKind, error) { | ||||
| 	var err error | ||||
| 	if obj != nil { | ||||
| 		err = s.decodeInto(data, obj) | ||||
| 	} else { | ||||
| 		obj, err = s.decode(data) | ||||
| 	} | ||||
|  | ||||
| 	if err != nil { | ||||
| 		return nil, nil, err | ||||
| 	} | ||||
|  | ||||
| 	gvk := obj.GetObjectKind().GroupVersionKind() | ||||
| 	if len(gvk.Kind) == 0 { | ||||
| 		return nil, &gvk, runtime.NewMissingKindErr(string(data)) | ||||
| 	} | ||||
|  | ||||
| 	return obj, &gvk, nil | ||||
| } | ||||
|  | ||||
| func (unstructuredJSONScheme) Encode(obj runtime.Object, w io.Writer) error { | ||||
| 	switch t := obj.(type) { | ||||
| 	case *Unstructured: | ||||
| 		return json.NewEncoder(w).Encode(t.Object) | ||||
| 	case *UnstructuredList: | ||||
| 		items := make([]interface{}, 0, len(t.Items)) | ||||
| 		for _, i := range t.Items { | ||||
| 			items = append(items, i.Object) | ||||
| 		} | ||||
| 		listObj := make(map[string]interface{}, len(t.Object)+1) | ||||
| 		for k, v := range t.Object { // Make a shallow copy | ||||
| 			listObj[k] = v | ||||
| 		} | ||||
| 		listObj["items"] = items | ||||
| 		return json.NewEncoder(w).Encode(listObj) | ||||
| 	case *runtime.Unknown: | ||||
| 		// TODO: Unstructured needs to deal with ContentType. | ||||
| 		_, err := w.Write(t.Raw) | ||||
| 		return err | ||||
| 	default: | ||||
| 		return json.NewEncoder(w).Encode(t) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (s unstructuredJSONScheme) decode(data []byte) (runtime.Object, error) { | ||||
| 	type detector struct { | ||||
| 		Items gojson.RawMessage | ||||
| 	} | ||||
| 	var det detector | ||||
| 	if err := json.Unmarshal(data, &det); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	if det.Items != nil { | ||||
| 		list := &UnstructuredList{} | ||||
| 		err := s.decodeToList(data, list) | ||||
| 		return list, err | ||||
| 	} | ||||
|  | ||||
| 	// No Items field, so it wasn't a list. | ||||
| 	unstruct := &Unstructured{} | ||||
| 	err := s.decodeToUnstructured(data, unstruct) | ||||
| 	return unstruct, err | ||||
| } | ||||
|  | ||||
| func (s unstructuredJSONScheme) decodeInto(data []byte, obj runtime.Object) error { | ||||
| 	switch x := obj.(type) { | ||||
| 	case *Unstructured: | ||||
| 		return s.decodeToUnstructured(data, x) | ||||
| 	case *UnstructuredList: | ||||
| 		return s.decodeToList(data, x) | ||||
| 	case *runtime.VersionedObjects: | ||||
| 		o, err := s.decode(data) | ||||
| 		if err == nil { | ||||
| 			x.Objects = []runtime.Object{o} | ||||
| 		} | ||||
| 		return err | ||||
| 	default: | ||||
| 		return json.Unmarshal(data, x) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (unstructuredJSONScheme) decodeToUnstructured(data []byte, unstruct *Unstructured) error { | ||||
| 	m := make(map[string]interface{}) | ||||
| 	if err := json.Unmarshal(data, &m); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	unstruct.Object = m | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (s unstructuredJSONScheme) decodeToList(data []byte, list *UnstructuredList) error { | ||||
| 	type decodeList struct { | ||||
| 		Items []gojson.RawMessage | ||||
| 	} | ||||
|  | ||||
| 	var dList decodeList | ||||
| 	if err := json.Unmarshal(data, &dList); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	if err := json.Unmarshal(data, &list.Object); err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	// For typed lists, e.g., a PodList, API server doesn't set each item's | ||||
| 	// APIVersion and Kind. We need to set it. | ||||
| 	listAPIVersion := list.GetAPIVersion() | ||||
| 	listKind := list.GetKind() | ||||
| 	itemKind := strings.TrimSuffix(listKind, "List") | ||||
|  | ||||
| 	delete(list.Object, "items") | ||||
| 	list.Items = make([]Unstructured, 0, len(dList.Items)) | ||||
| 	for _, i := range dList.Items { | ||||
| 		unstruct := &Unstructured{} | ||||
| 		if err := s.decodeToUnstructured([]byte(i), unstruct); err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		// This is hacky. Set the item's Kind and APIVersion to those inferred | ||||
| 		// from the List. | ||||
| 		if len(unstruct.GetKind()) == 0 && len(unstruct.GetAPIVersion()) == 0 { | ||||
| 			unstruct.SetKind(itemKind) | ||||
| 			unstruct.SetAPIVersion(listAPIVersion) | ||||
| 		} | ||||
| 		list.Items = append(list.Items, *unstruct) | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| type JSONFallbackEncoder struct { | ||||
| 	runtime.Encoder | ||||
| } | ||||
|  | ||||
| func (c JSONFallbackEncoder) Encode(obj runtime.Object, w io.Writer) error { | ||||
| 	err := c.Encoder.Encode(obj, w) | ||||
| 	if runtime.IsNotRegisteredError(err) { | ||||
| 		switch obj.(type) { | ||||
| 		case *Unstructured, *UnstructuredList: | ||||
| 			return UnstructuredJSONScheme.Encode(obj, w) | ||||
| 		} | ||||
| 	} | ||||
| 	return err | ||||
| } | ||||
							
								
								
									
										498
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/unstructured.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										498
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/unstructured.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,498 @@ | ||||
| /* | ||||
| Copyright 2015 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 unstructured | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
|  | ||||
| 	metav1 "k8s.io/apimachinery/pkg/apis/meta/v1" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| 	"k8s.io/apimachinery/pkg/types" | ||||
| 	utilruntime "k8s.io/apimachinery/pkg/util/runtime" | ||||
| ) | ||||
|  | ||||
| // Unstructured allows objects that do not have Golang structs registered to be manipulated | ||||
| // generically. This can be used to deal with the API objects from a plug-in. Unstructured | ||||
| // objects still have functioning TypeMeta features-- kind, version, etc. | ||||
| // | ||||
| // WARNING: This object has accessors for the v1 standard metadata. You *MUST NOT* use this | ||||
| // type if you are dealing with objects that are not in the server meta v1 schema. | ||||
| // | ||||
| // TODO: make the serialization part of this type distinct from the field accessors. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| // +k8s:deepcopy-gen=true | ||||
| type Unstructured struct { | ||||
| 	// Object is a JSON compatible map with string, float, int, bool, []interface{}, or | ||||
| 	// map[string]interface{} | ||||
| 	// children. | ||||
| 	Object map[string]interface{} | ||||
| } | ||||
|  | ||||
| var _ metav1.Object = &Unstructured{} | ||||
| var _ runtime.Unstructured = &Unstructured{} | ||||
|  | ||||
| func (obj *Unstructured) GetObjectKind() schema.ObjectKind { return obj } | ||||
|  | ||||
| func (obj *Unstructured) IsList() bool { | ||||
| 	field, ok := obj.Object["items"] | ||||
| 	if !ok { | ||||
| 		return false | ||||
| 	} | ||||
| 	_, ok = field.([]interface{}) | ||||
| 	return ok | ||||
| } | ||||
| func (obj *Unstructured) ToList() (*UnstructuredList, error) { | ||||
| 	if !obj.IsList() { | ||||
| 		// return an empty list back | ||||
| 		return &UnstructuredList{Object: obj.Object}, nil | ||||
| 	} | ||||
|  | ||||
| 	ret := &UnstructuredList{} | ||||
| 	ret.Object = obj.Object | ||||
|  | ||||
| 	err := obj.EachListItem(func(item runtime.Object) error { | ||||
| 		castItem := item.(*Unstructured) | ||||
| 		ret.Items = append(ret.Items, *castItem) | ||||
| 		return nil | ||||
| 	}) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	return ret, nil | ||||
| } | ||||
|  | ||||
| func (obj *Unstructured) EachListItem(fn func(runtime.Object) error) error { | ||||
| 	field, ok := obj.Object["items"] | ||||
| 	if !ok { | ||||
| 		return errors.New("content is not a list") | ||||
| 	} | ||||
| 	items, ok := field.([]interface{}) | ||||
| 	if !ok { | ||||
| 		return fmt.Errorf("content is not a list: %T", field) | ||||
| 	} | ||||
| 	for _, item := range items { | ||||
| 		child, ok := item.(map[string]interface{}) | ||||
| 		if !ok { | ||||
| 			return fmt.Errorf("items member is not an object: %T", child) | ||||
| 		} | ||||
| 		if err := fn(&Unstructured{Object: child}); err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (obj *Unstructured) UnstructuredContent() map[string]interface{} { | ||||
| 	if obj.Object == nil { | ||||
| 		return make(map[string]interface{}) | ||||
| 	} | ||||
| 	return obj.Object | ||||
| } | ||||
|  | ||||
| func (obj *Unstructured) SetUnstructuredContent(content map[string]interface{}) { | ||||
| 	obj.Object = content | ||||
| } | ||||
|  | ||||
| // MarshalJSON ensures that the unstructured object produces proper | ||||
| // JSON when passed to Go's standard JSON library. | ||||
| func (u *Unstructured) MarshalJSON() ([]byte, error) { | ||||
| 	var buf bytes.Buffer | ||||
| 	err := UnstructuredJSONScheme.Encode(u, &buf) | ||||
| 	return buf.Bytes(), err | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON ensures that the unstructured object properly decodes | ||||
| // JSON when passed to Go's standard JSON library. | ||||
| func (u *Unstructured) UnmarshalJSON(b []byte) error { | ||||
| 	_, _, err := UnstructuredJSONScheme.Decode(b, nil, u) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| func (in *Unstructured) DeepCopy() *Unstructured { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(Unstructured) | ||||
| 	*out = *in | ||||
| 	out.Object = runtime.DeepCopyJSON(in.Object) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) setNestedField(value interface{}, fields ...string) { | ||||
| 	if u.Object == nil { | ||||
| 		u.Object = make(map[string]interface{}) | ||||
| 	} | ||||
| 	SetNestedField(u.Object, value, fields...) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) setNestedStringSlice(value []string, fields ...string) { | ||||
| 	if u.Object == nil { | ||||
| 		u.Object = make(map[string]interface{}) | ||||
| 	} | ||||
| 	SetNestedStringSlice(u.Object, value, fields...) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) setNestedSlice(value []interface{}, fields ...string) { | ||||
| 	if u.Object == nil { | ||||
| 		u.Object = make(map[string]interface{}) | ||||
| 	} | ||||
| 	SetNestedSlice(u.Object, value, fields...) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) setNestedMap(value map[string]string, fields ...string) { | ||||
| 	if u.Object == nil { | ||||
| 		u.Object = make(map[string]interface{}) | ||||
| 	} | ||||
| 	SetNestedStringMap(u.Object, value, fields...) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetOwnerReferences() []metav1.OwnerReference { | ||||
| 	field, found, err := NestedFieldNoCopy(u.Object, "metadata", "ownerReferences") | ||||
| 	if !found || err != nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	original, ok := field.([]interface{}) | ||||
| 	if !ok { | ||||
| 		return nil | ||||
| 	} | ||||
| 	ret := make([]metav1.OwnerReference, 0, len(original)) | ||||
| 	for _, obj := range original { | ||||
| 		o, ok := obj.(map[string]interface{}) | ||||
| 		if !ok { | ||||
| 			// expected map[string]interface{}, got something else | ||||
| 			return nil | ||||
| 		} | ||||
| 		ret = append(ret, extractOwnerReference(o)) | ||||
| 	} | ||||
| 	return ret | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetOwnerReferences(references []metav1.OwnerReference) { | ||||
| 	if references == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "ownerReferences") | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	newReferences := make([]interface{}, 0, len(references)) | ||||
| 	for _, reference := range references { | ||||
| 		out, err := runtime.DefaultUnstructuredConverter.ToUnstructured(&reference) | ||||
| 		if err != nil { | ||||
| 			utilruntime.HandleError(fmt.Errorf("unable to convert Owner Reference: %v", err)) | ||||
| 			continue | ||||
| 		} | ||||
| 		newReferences = append(newReferences, out) | ||||
| 	} | ||||
| 	u.setNestedField(newReferences, "metadata", "ownerReferences") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetAPIVersion() string { | ||||
| 	return getNestedString(u.Object, "apiVersion") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetAPIVersion(version string) { | ||||
| 	u.setNestedField(version, "apiVersion") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetKind() string { | ||||
| 	return getNestedString(u.Object, "kind") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetKind(kind string) { | ||||
| 	u.setNestedField(kind, "kind") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetNamespace() string { | ||||
| 	return getNestedString(u.Object, "metadata", "namespace") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetNamespace(namespace string) { | ||||
| 	if len(namespace) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "namespace") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(namespace, "metadata", "namespace") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetName() string { | ||||
| 	return getNestedString(u.Object, "metadata", "name") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetName(name string) { | ||||
| 	if len(name) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "name") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(name, "metadata", "name") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetGenerateName() string { | ||||
| 	return getNestedString(u.Object, "metadata", "generateName") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetGenerateName(generateName string) { | ||||
| 	if len(generateName) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "generateName") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(generateName, "metadata", "generateName") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetUID() types.UID { | ||||
| 	return types.UID(getNestedString(u.Object, "metadata", "uid")) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetUID(uid types.UID) { | ||||
| 	if len(string(uid)) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "uid") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(string(uid), "metadata", "uid") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetResourceVersion() string { | ||||
| 	return getNestedString(u.Object, "metadata", "resourceVersion") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetResourceVersion(resourceVersion string) { | ||||
| 	if len(resourceVersion) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "resourceVersion") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(resourceVersion, "metadata", "resourceVersion") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetGeneration() int64 { | ||||
| 	val, found, err := NestedInt64(u.Object, "metadata", "generation") | ||||
| 	if !found || err != nil { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return val | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetGeneration(generation int64) { | ||||
| 	if generation == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "generation") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(generation, "metadata", "generation") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetSelfLink() string { | ||||
| 	return getNestedString(u.Object, "metadata", "selfLink") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetSelfLink(selfLink string) { | ||||
| 	if len(selfLink) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "selfLink") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(selfLink, "metadata", "selfLink") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetContinue() string { | ||||
| 	return getNestedString(u.Object, "metadata", "continue") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetContinue(c string) { | ||||
| 	if len(c) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "continue") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(c, "metadata", "continue") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetCreationTimestamp() metav1.Time { | ||||
| 	var timestamp metav1.Time | ||||
| 	timestamp.UnmarshalQueryParameter(getNestedString(u.Object, "metadata", "creationTimestamp")) | ||||
| 	return timestamp | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetCreationTimestamp(timestamp metav1.Time) { | ||||
| 	ts, _ := timestamp.MarshalQueryParameter() | ||||
| 	if len(ts) == 0 || timestamp.Time.IsZero() { | ||||
| 		RemoveNestedField(u.Object, "metadata", "creationTimestamp") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(ts, "metadata", "creationTimestamp") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetDeletionTimestamp() *metav1.Time { | ||||
| 	var timestamp metav1.Time | ||||
| 	timestamp.UnmarshalQueryParameter(getNestedString(u.Object, "metadata", "deletionTimestamp")) | ||||
| 	if timestamp.IsZero() { | ||||
| 		return nil | ||||
| 	} | ||||
| 	return ×tamp | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetDeletionTimestamp(timestamp *metav1.Time) { | ||||
| 	if timestamp == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "deletionTimestamp") | ||||
| 		return | ||||
| 	} | ||||
| 	ts, _ := timestamp.MarshalQueryParameter() | ||||
| 	u.setNestedField(ts, "metadata", "deletionTimestamp") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetDeletionGracePeriodSeconds() *int64 { | ||||
| 	val, found, err := NestedInt64(u.Object, "metadata", "deletionGracePeriodSeconds") | ||||
| 	if !found || err != nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	return &val | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetDeletionGracePeriodSeconds(deletionGracePeriodSeconds *int64) { | ||||
| 	if deletionGracePeriodSeconds == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "deletionGracePeriodSeconds") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(*deletionGracePeriodSeconds, "metadata", "deletionGracePeriodSeconds") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetLabels() map[string]string { | ||||
| 	m, _, _ := NestedStringMap(u.Object, "metadata", "labels") | ||||
| 	return m | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetLabels(labels map[string]string) { | ||||
| 	if labels == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "labels") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedMap(labels, "metadata", "labels") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetAnnotations() map[string]string { | ||||
| 	m, _, _ := NestedStringMap(u.Object, "metadata", "annotations") | ||||
| 	return m | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetAnnotations(annotations map[string]string) { | ||||
| 	if annotations == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "annotations") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedMap(annotations, "metadata", "annotations") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetGroupVersionKind(gvk schema.GroupVersionKind) { | ||||
| 	u.SetAPIVersion(gvk.GroupVersion().String()) | ||||
| 	u.SetKind(gvk.Kind) | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GroupVersionKind() schema.GroupVersionKind { | ||||
| 	gv, err := schema.ParseGroupVersion(u.GetAPIVersion()) | ||||
| 	if err != nil { | ||||
| 		return schema.GroupVersionKind{} | ||||
| 	} | ||||
| 	gvk := gv.WithKind(u.GetKind()) | ||||
| 	return gvk | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetInitializers() *metav1.Initializers { | ||||
| 	m, found, err := nestedMapNoCopy(u.Object, "metadata", "initializers") | ||||
| 	if !found || err != nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := &metav1.Initializers{} | ||||
| 	if err := runtime.DefaultUnstructuredConverter.FromUnstructured(m, out); err != nil { | ||||
| 		utilruntime.HandleError(fmt.Errorf("unable to retrieve initializers for object: %v", err)) | ||||
| 		return nil | ||||
| 	} | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetInitializers(initializers *metav1.Initializers) { | ||||
| 	if initializers == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "initializers") | ||||
| 		return | ||||
| 	} | ||||
| 	out, err := runtime.DefaultUnstructuredConverter.ToUnstructured(initializers) | ||||
| 	if err != nil { | ||||
| 		utilruntime.HandleError(fmt.Errorf("unable to retrieve initializers for object: %v", err)) | ||||
| 	} | ||||
| 	u.setNestedField(out, "metadata", "initializers") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetFinalizers() []string { | ||||
| 	val, _, _ := NestedStringSlice(u.Object, "metadata", "finalizers") | ||||
| 	return val | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetFinalizers(finalizers []string) { | ||||
| 	if finalizers == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "finalizers") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedStringSlice(finalizers, "metadata", "finalizers") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetClusterName() string { | ||||
| 	return getNestedString(u.Object, "metadata", "clusterName") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetClusterName(clusterName string) { | ||||
| 	if len(clusterName) == 0 { | ||||
| 		RemoveNestedField(u.Object, "metadata", "clusterName") | ||||
| 		return | ||||
| 	} | ||||
| 	u.setNestedField(clusterName, "metadata", "clusterName") | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) GetManagedFields() []metav1.ManagedFieldsEntry { | ||||
| 	items, found, err := NestedSlice(u.Object, "metadata", "managedFields") | ||||
| 	if !found || err != nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	managedFields := []metav1.ManagedFieldsEntry{} | ||||
| 	for _, item := range items { | ||||
| 		m, ok := item.(map[string]interface{}) | ||||
| 		if !ok { | ||||
| 			utilruntime.HandleError(fmt.Errorf("unable to retrieve managedFields for object, item %v is not a map", item)) | ||||
| 			return nil | ||||
| 		} | ||||
| 		out := metav1.ManagedFieldsEntry{} | ||||
| 		if err := runtime.DefaultUnstructuredConverter.FromUnstructured(m, &out); err != nil { | ||||
| 			utilruntime.HandleError(fmt.Errorf("unable to retrieve managedFields for object: %v", err)) | ||||
| 			return nil | ||||
| 		} | ||||
| 		managedFields = append(managedFields, out) | ||||
| 	} | ||||
| 	return managedFields | ||||
| } | ||||
|  | ||||
| func (u *Unstructured) SetManagedFields(managedFields []metav1.ManagedFieldsEntry) { | ||||
| 	if managedFields == nil { | ||||
| 		RemoveNestedField(u.Object, "metadata", "managedFields") | ||||
| 		return | ||||
| 	} | ||||
| 	items := []interface{}{} | ||||
| 	for _, managedFieldsEntry := range managedFields { | ||||
| 		out, err := runtime.DefaultUnstructuredConverter.ToUnstructured(&managedFieldsEntry) | ||||
| 		if err != nil { | ||||
| 			utilruntime.HandleError(fmt.Errorf("unable to set managedFields for object: %v", err)) | ||||
| 			return | ||||
| 		} | ||||
| 		items = append(items, out) | ||||
| 	} | ||||
| 	u.setNestedSlice(items, "metadata", "managedFields") | ||||
| } | ||||
							
								
								
									
										188
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/unstructured_list.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										188
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/unstructured_list.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,188 @@ | ||||
| /* | ||||
| Copyright 2015 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 unstructured | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
|  | ||||
| 	metav1 "k8s.io/apimachinery/pkg/apis/meta/v1" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| ) | ||||
|  | ||||
| var _ runtime.Unstructured = &UnstructuredList{} | ||||
| var _ metav1.ListInterface = &UnstructuredList{} | ||||
|  | ||||
| // UnstructuredList allows lists that do not have Golang structs | ||||
| // registered to be manipulated generically. This can be used to deal | ||||
| // with the API lists from a plug-in. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| // +k8s:deepcopy-gen=true | ||||
| type UnstructuredList struct { | ||||
| 	Object map[string]interface{} | ||||
|  | ||||
| 	// Items is a list of unstructured objects. | ||||
| 	Items []Unstructured `json:"items"` | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetObjectKind() schema.ObjectKind { return u } | ||||
|  | ||||
| func (u *UnstructuredList) IsList() bool { return true } | ||||
|  | ||||
| func (u *UnstructuredList) EachListItem(fn func(runtime.Object) error) error { | ||||
| 	for i := range u.Items { | ||||
| 		if err := fn(&u.Items[i]); err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // UnstructuredContent returns a map contain an overlay of the Items field onto | ||||
| // the Object field. Items always overwrites overlay. | ||||
| func (u *UnstructuredList) UnstructuredContent() map[string]interface{} { | ||||
| 	out := make(map[string]interface{}, len(u.Object)+1) | ||||
|  | ||||
| 	// shallow copy every property | ||||
| 	for k, v := range u.Object { | ||||
| 		out[k] = v | ||||
| 	} | ||||
|  | ||||
| 	items := make([]interface{}, len(u.Items)) | ||||
| 	for i, item := range u.Items { | ||||
| 		items[i] = item.UnstructuredContent() | ||||
| 	} | ||||
| 	out["items"] = items | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // SetUnstructuredContent obeys the conventions of List and keeps Items and the items | ||||
| // array in sync. If items is not an array of objects in the incoming map, then any | ||||
| // mismatched item will be removed. | ||||
| func (obj *UnstructuredList) SetUnstructuredContent(content map[string]interface{}) { | ||||
| 	obj.Object = content | ||||
| 	if content == nil { | ||||
| 		obj.Items = nil | ||||
| 		return | ||||
| 	} | ||||
| 	items, ok := obj.Object["items"].([]interface{}) | ||||
| 	if !ok || items == nil { | ||||
| 		items = []interface{}{} | ||||
| 	} | ||||
| 	unstructuredItems := make([]Unstructured, 0, len(items)) | ||||
| 	newItems := make([]interface{}, 0, len(items)) | ||||
| 	for _, item := range items { | ||||
| 		o, ok := item.(map[string]interface{}) | ||||
| 		if !ok { | ||||
| 			continue | ||||
| 		} | ||||
| 		unstructuredItems = append(unstructuredItems, Unstructured{Object: o}) | ||||
| 		newItems = append(newItems, o) | ||||
| 	} | ||||
| 	obj.Items = unstructuredItems | ||||
| 	obj.Object["items"] = newItems | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) DeepCopy() *UnstructuredList { | ||||
| 	if u == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(UnstructuredList) | ||||
| 	*out = *u | ||||
| 	out.Object = runtime.DeepCopyJSON(u.Object) | ||||
| 	out.Items = make([]Unstructured, len(u.Items)) | ||||
| 	for i := range u.Items { | ||||
| 		u.Items[i].DeepCopyInto(&out.Items[i]) | ||||
| 	} | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // MarshalJSON ensures that the unstructured list object produces proper | ||||
| // JSON when passed to Go's standard JSON library. | ||||
| func (u *UnstructuredList) MarshalJSON() ([]byte, error) { | ||||
| 	var buf bytes.Buffer | ||||
| 	err := UnstructuredJSONScheme.Encode(u, &buf) | ||||
| 	return buf.Bytes(), err | ||||
| } | ||||
|  | ||||
| // UnmarshalJSON ensures that the unstructured list object properly | ||||
| // decodes JSON when passed to Go's standard JSON library. | ||||
| func (u *UnstructuredList) UnmarshalJSON(b []byte) error { | ||||
| 	_, _, err := UnstructuredJSONScheme.Decode(b, nil, u) | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetAPIVersion() string { | ||||
| 	return getNestedString(u.Object, "apiVersion") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetAPIVersion(version string) { | ||||
| 	u.setNestedField(version, "apiVersion") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetKind() string { | ||||
| 	return getNestedString(u.Object, "kind") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetKind(kind string) { | ||||
| 	u.setNestedField(kind, "kind") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetResourceVersion() string { | ||||
| 	return getNestedString(u.Object, "metadata", "resourceVersion") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetResourceVersion(version string) { | ||||
| 	u.setNestedField(version, "metadata", "resourceVersion") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetSelfLink() string { | ||||
| 	return getNestedString(u.Object, "metadata", "selfLink") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetSelfLink(selfLink string) { | ||||
| 	u.setNestedField(selfLink, "metadata", "selfLink") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GetContinue() string { | ||||
| 	return getNestedString(u.Object, "metadata", "continue") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetContinue(c string) { | ||||
| 	u.setNestedField(c, "metadata", "continue") | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) SetGroupVersionKind(gvk schema.GroupVersionKind) { | ||||
| 	u.SetAPIVersion(gvk.GroupVersion().String()) | ||||
| 	u.SetKind(gvk.Kind) | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) GroupVersionKind() schema.GroupVersionKind { | ||||
| 	gv, err := schema.ParseGroupVersion(u.GetAPIVersion()) | ||||
| 	if err != nil { | ||||
| 		return schema.GroupVersionKind{} | ||||
| 	} | ||||
| 	gvk := gv.WithKind(u.GetKind()) | ||||
| 	return gvk | ||||
| } | ||||
|  | ||||
| func (u *UnstructuredList) setNestedField(value interface{}, fields ...string) { | ||||
| 	if u.Object == nil { | ||||
| 		u.Object = make(map[string]interface{}) | ||||
| 	} | ||||
| 	SetNestedField(u.Object, value, fields...) | ||||
| } | ||||
							
								
								
									
										55
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										55
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/unstructured/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,55 @@ | ||||
| // +build !ignore_autogenerated | ||||
|  | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
| // Code generated by deepcopy-gen. DO NOT EDIT. | ||||
|  | ||||
| package unstructured | ||||
|  | ||||
| import ( | ||||
| 	runtime "k8s.io/apimachinery/pkg/runtime" | ||||
| ) | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *Unstructured) DeepCopyInto(out *Unstructured) { | ||||
| 	clone := in.DeepCopy() | ||||
| 	*out = *clone | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *Unstructured) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *UnstructuredList) DeepCopyInto(out *UnstructuredList) { | ||||
| 	clone := in.DeepCopy() | ||||
| 	*out = *clone | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *UnstructuredList) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										89
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/watch.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										89
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/watch.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,89 @@ | ||||
| /* | ||||
| Copyright 2015 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 v1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/conversion" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| 	"k8s.io/apimachinery/pkg/watch" | ||||
| ) | ||||
|  | ||||
| // Event represents a single event to a watched resource. | ||||
| // | ||||
| // +protobuf=true | ||||
| // +k8s:deepcopy-gen=true | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| type WatchEvent struct { | ||||
| 	Type string `json:"type" protobuf:"bytes,1,opt,name=type"` | ||||
|  | ||||
| 	// Object is: | ||||
| 	//  * If Type is Added or Modified: the new state of the object. | ||||
| 	//  * If Type is Deleted: the state of the object immediately before deletion. | ||||
| 	//  * If Type is Error: *Status is recommended; other types may make sense | ||||
| 	//    depending on context. | ||||
| 	Object runtime.RawExtension `json:"object" protobuf:"bytes,2,opt,name=object"` | ||||
| } | ||||
|  | ||||
| func Convert_watch_Event_To_v1_WatchEvent(in *watch.Event, out *WatchEvent, s conversion.Scope) error { | ||||
| 	out.Type = string(in.Type) | ||||
| 	switch t := in.Object.(type) { | ||||
| 	case *runtime.Unknown: | ||||
| 		// TODO: handle other fields on Unknown and detect type | ||||
| 		out.Object.Raw = t.Raw | ||||
| 	case nil: | ||||
| 	default: | ||||
| 		out.Object.Object = in.Object | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_v1_InternalEvent_To_v1_WatchEvent(in *InternalEvent, out *WatchEvent, s conversion.Scope) error { | ||||
| 	return Convert_watch_Event_To_v1_WatchEvent((*watch.Event)(in), out, s) | ||||
| } | ||||
|  | ||||
| func Convert_v1_WatchEvent_To_watch_Event(in *WatchEvent, out *watch.Event, s conversion.Scope) error { | ||||
| 	out.Type = watch.EventType(in.Type) | ||||
| 	if in.Object.Object != nil { | ||||
| 		out.Object = in.Object.Object | ||||
| 	} else if in.Object.Raw != nil { | ||||
| 		// TODO: handle other fields on Unknown and detect type | ||||
| 		out.Object = &runtime.Unknown{ | ||||
| 			Raw:         in.Object.Raw, | ||||
| 			ContentType: runtime.ContentTypeJSON, | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Convert_v1_WatchEvent_To_v1_InternalEvent(in *WatchEvent, out *InternalEvent, s conversion.Scope) error { | ||||
| 	return Convert_v1_WatchEvent_To_watch_Event(in, (*watch.Event)(out), s) | ||||
| } | ||||
|  | ||||
| // InternalEvent makes watch.Event versioned | ||||
| // +protobuf=false | ||||
| type InternalEvent watch.Event | ||||
|  | ||||
| func (e *InternalEvent) GetObjectKind() schema.ObjectKind { return schema.EmptyObjectKind } | ||||
| func (e *WatchEvent) GetObjectKind() schema.ObjectKind    { return schema.EmptyObjectKind } | ||||
| func (e *InternalEvent) DeepCopyObject() runtime.Object { | ||||
| 	if c := e.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} else { | ||||
| 		return nil | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										1056
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										1056
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										32
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/zz_generated.defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										32
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1/zz_generated.defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,32 @@ | ||||
| // +build !ignore_autogenerated | ||||
|  | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
| // Code generated by defaulter-gen. DO NOT EDIT. | ||||
|  | ||||
| package v1 | ||||
|  | ||||
| import ( | ||||
| 	runtime "k8s.io/apimachinery/pkg/runtime" | ||||
| ) | ||||
|  | ||||
| // RegisterDefaults adds defaulters functions to the given scheme. | ||||
| // Public to allow building arbitrary schemes. | ||||
| // All generated defaulters are covering - they call all nested defaulters. | ||||
| func RegisterDefaults(scheme *runtime.Scheme) error { | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										27
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/conversion.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										27
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/conversion.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,27 @@ | ||||
| /* | ||||
| Copyright 2017 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 v1beta1 | ||||
|  | ||||
| import "k8s.io/apimachinery/pkg/conversion" | ||||
|  | ||||
| // Convert_Slice_string_To_v1beta1_IncludeObjectPolicy allows converting a URL query parameter value | ||||
| func Convert_Slice_string_To_v1beta1_IncludeObjectPolicy(input *[]string, out *IncludeObjectPolicy, s conversion.Scope) error { | ||||
| 	if len(*input) > 0 { | ||||
| 		*out = IncludeObjectPolicy((*input)[0]) | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										44
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										44
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,44 @@ | ||||
| /* | ||||
| Copyright 2017 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 v1beta1 | ||||
|  | ||||
| import "k8s.io/apimachinery/pkg/runtime" | ||||
|  | ||||
| func (in *TableRow) DeepCopy() *TableRow { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	out := new(TableRow) | ||||
|  | ||||
| 	if in.Cells != nil { | ||||
| 		out.Cells = make([]interface{}, len(in.Cells)) | ||||
| 		for i := range in.Cells { | ||||
| 			out.Cells[i] = runtime.DeepCopyJSONValue(in.Cells[i]) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if in.Conditions != nil { | ||||
| 		out.Conditions = make([]TableRowCondition, len(in.Conditions)) | ||||
| 		for i := range in.Conditions { | ||||
| 			in.Conditions[i].DeepCopyInto(&out.Conditions[i]) | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	in.Object.DeepCopyInto(&out.Object) | ||||
| 	return out | ||||
| } | ||||
							
								
								
									
										23
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										23
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/doc.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,23 @@ | ||||
| /* | ||||
| Copyright 2017 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. | ||||
| */ | ||||
|  | ||||
| // +k8s:deepcopy-gen=package | ||||
| // +k8s:openapi-gen=true | ||||
| // +k8s:defaulter-gen=TypeMeta | ||||
|  | ||||
| // +groupName=meta.k8s.io | ||||
|  | ||||
| package v1beta1 // import "k8s.io/apimachinery/pkg/apis/meta/v1beta1" | ||||
							
								
								
									
										618
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.pb.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										618
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.pb.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,618 @@ | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
| // Code generated by protoc-gen-gogo. DO NOT EDIT. | ||||
| // source: k8s.io/kubernetes/vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.proto | ||||
|  | ||||
| /* | ||||
| 	Package v1beta1 is a generated protocol buffer package. | ||||
|  | ||||
| 	It is generated from these files: | ||||
| 		k8s.io/kubernetes/vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.proto | ||||
|  | ||||
| 	It has these top-level messages: | ||||
| 		PartialObjectMetadata | ||||
| 		PartialObjectMetadataList | ||||
| 		TableOptions | ||||
| */ | ||||
| package v1beta1 | ||||
|  | ||||
| import ( | ||||
| 	fmt "fmt" | ||||
|  | ||||
| 	proto "github.com/gogo/protobuf/proto" | ||||
|  | ||||
| 	math "math" | ||||
|  | ||||
| 	strings "strings" | ||||
|  | ||||
| 	reflect "reflect" | ||||
|  | ||||
| 	io "io" | ||||
| ) | ||||
|  | ||||
| // Reference imports to suppress errors if they are not otherwise used. | ||||
| var _ = proto.Marshal | ||||
| var _ = fmt.Errorf | ||||
| var _ = math.Inf | ||||
|  | ||||
| // This is a compile-time assertion to ensure that this generated file | ||||
| // is compatible with the proto package it is being compiled against. | ||||
| // A compilation error at this line likely means your copy of the | ||||
| // proto package needs to be updated. | ||||
| const _ = proto.GoGoProtoPackageIsVersion2 // please upgrade the proto package | ||||
|  | ||||
| func (m *PartialObjectMetadata) Reset()                    { *m = PartialObjectMetadata{} } | ||||
| func (*PartialObjectMetadata) ProtoMessage()               {} | ||||
| func (*PartialObjectMetadata) Descriptor() ([]byte, []int) { return fileDescriptorGenerated, []int{0} } | ||||
|  | ||||
| func (m *PartialObjectMetadataList) Reset()      { *m = PartialObjectMetadataList{} } | ||||
| func (*PartialObjectMetadataList) ProtoMessage() {} | ||||
| func (*PartialObjectMetadataList) Descriptor() ([]byte, []int) { | ||||
| 	return fileDescriptorGenerated, []int{1} | ||||
| } | ||||
|  | ||||
| func (m *TableOptions) Reset()                    { *m = TableOptions{} } | ||||
| func (*TableOptions) ProtoMessage()               {} | ||||
| func (*TableOptions) Descriptor() ([]byte, []int) { return fileDescriptorGenerated, []int{2} } | ||||
|  | ||||
| func init() { | ||||
| 	proto.RegisterType((*PartialObjectMetadata)(nil), "k8s.io.apimachinery.pkg.apis.meta.v1beta1.PartialObjectMetadata") | ||||
| 	proto.RegisterType((*PartialObjectMetadataList)(nil), "k8s.io.apimachinery.pkg.apis.meta.v1beta1.PartialObjectMetadataList") | ||||
| 	proto.RegisterType((*TableOptions)(nil), "k8s.io.apimachinery.pkg.apis.meta.v1beta1.TableOptions") | ||||
| } | ||||
| func (m *PartialObjectMetadata) Marshal() (dAtA []byte, err error) { | ||||
| 	size := m.Size() | ||||
| 	dAtA = make([]byte, size) | ||||
| 	n, err := m.MarshalTo(dAtA) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return dAtA[:n], nil | ||||
| } | ||||
|  | ||||
| func (m *PartialObjectMetadata) MarshalTo(dAtA []byte) (int, error) { | ||||
| 	var i int | ||||
| 	_ = i | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	dAtA[i] = 0xa | ||||
| 	i++ | ||||
| 	i = encodeVarintGenerated(dAtA, i, uint64(m.ObjectMeta.Size())) | ||||
| 	n1, err := m.ObjectMeta.MarshalTo(dAtA[i:]) | ||||
| 	if err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| 	i += n1 | ||||
| 	return i, nil | ||||
| } | ||||
|  | ||||
| func (m *PartialObjectMetadataList) Marshal() (dAtA []byte, err error) { | ||||
| 	size := m.Size() | ||||
| 	dAtA = make([]byte, size) | ||||
| 	n, err := m.MarshalTo(dAtA) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return dAtA[:n], nil | ||||
| } | ||||
|  | ||||
| func (m *PartialObjectMetadataList) MarshalTo(dAtA []byte) (int, error) { | ||||
| 	var i int | ||||
| 	_ = i | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	if len(m.Items) > 0 { | ||||
| 		for _, msg := range m.Items { | ||||
| 			dAtA[i] = 0xa | ||||
| 			i++ | ||||
| 			i = encodeVarintGenerated(dAtA, i, uint64(msg.Size())) | ||||
| 			n, err := msg.MarshalTo(dAtA[i:]) | ||||
| 			if err != nil { | ||||
| 				return 0, err | ||||
| 			} | ||||
| 			i += n | ||||
| 		} | ||||
| 	} | ||||
| 	return i, nil | ||||
| } | ||||
|  | ||||
| func (m *TableOptions) Marshal() (dAtA []byte, err error) { | ||||
| 	size := m.Size() | ||||
| 	dAtA = make([]byte, size) | ||||
| 	n, err := m.MarshalTo(dAtA) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return dAtA[:n], nil | ||||
| } | ||||
|  | ||||
| func (m *TableOptions) MarshalTo(dAtA []byte) (int, error) { | ||||
| 	var i int | ||||
| 	_ = i | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	dAtA[i] = 0xa | ||||
| 	i++ | ||||
| 	i = encodeVarintGenerated(dAtA, i, uint64(len(m.IncludeObject))) | ||||
| 	i += copy(dAtA[i:], m.IncludeObject) | ||||
| 	return i, nil | ||||
| } | ||||
|  | ||||
| func encodeVarintGenerated(dAtA []byte, offset int, v uint64) int { | ||||
| 	for v >= 1<<7 { | ||||
| 		dAtA[offset] = uint8(v&0x7f | 0x80) | ||||
| 		v >>= 7 | ||||
| 		offset++ | ||||
| 	} | ||||
| 	dAtA[offset] = uint8(v) | ||||
| 	return offset + 1 | ||||
| } | ||||
| func (m *PartialObjectMetadata) Size() (n int) { | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	l = m.ObjectMeta.Size() | ||||
| 	n += 1 + l + sovGenerated(uint64(l)) | ||||
| 	return n | ||||
| } | ||||
|  | ||||
| func (m *PartialObjectMetadataList) Size() (n int) { | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	if len(m.Items) > 0 { | ||||
| 		for _, e := range m.Items { | ||||
| 			l = e.Size() | ||||
| 			n += 1 + l + sovGenerated(uint64(l)) | ||||
| 		} | ||||
| 	} | ||||
| 	return n | ||||
| } | ||||
|  | ||||
| func (m *TableOptions) Size() (n int) { | ||||
| 	var l int | ||||
| 	_ = l | ||||
| 	l = len(m.IncludeObject) | ||||
| 	n += 1 + l + sovGenerated(uint64(l)) | ||||
| 	return n | ||||
| } | ||||
|  | ||||
| func sovGenerated(x uint64) (n int) { | ||||
| 	for { | ||||
| 		n++ | ||||
| 		x >>= 7 | ||||
| 		if x == 0 { | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	return n | ||||
| } | ||||
| func sozGenerated(x uint64) (n int) { | ||||
| 	return sovGenerated(uint64((x << 1) ^ uint64((int64(x) >> 63)))) | ||||
| } | ||||
| func (this *PartialObjectMetadata) String() string { | ||||
| 	if this == nil { | ||||
| 		return "nil" | ||||
| 	} | ||||
| 	s := strings.Join([]string{`&PartialObjectMetadata{`, | ||||
| 		`ObjectMeta:` + strings.Replace(strings.Replace(this.ObjectMeta.String(), "ObjectMeta", "k8s_io_apimachinery_pkg_apis_meta_v1.ObjectMeta", 1), `&`, ``, 1) + `,`, | ||||
| 		`}`, | ||||
| 	}, "") | ||||
| 	return s | ||||
| } | ||||
| func (this *PartialObjectMetadataList) String() string { | ||||
| 	if this == nil { | ||||
| 		return "nil" | ||||
| 	} | ||||
| 	s := strings.Join([]string{`&PartialObjectMetadataList{`, | ||||
| 		`Items:` + strings.Replace(fmt.Sprintf("%v", this.Items), "PartialObjectMetadata", "PartialObjectMetadata", 1) + `,`, | ||||
| 		`}`, | ||||
| 	}, "") | ||||
| 	return s | ||||
| } | ||||
| func (this *TableOptions) String() string { | ||||
| 	if this == nil { | ||||
| 		return "nil" | ||||
| 	} | ||||
| 	s := strings.Join([]string{`&TableOptions{`, | ||||
| 		`IncludeObject:` + fmt.Sprintf("%v", this.IncludeObject) + `,`, | ||||
| 		`}`, | ||||
| 	}, "") | ||||
| 	return s | ||||
| } | ||||
| func valueToStringGenerated(v interface{}) string { | ||||
| 	rv := reflect.ValueOf(v) | ||||
| 	if rv.IsNil() { | ||||
| 		return "nil" | ||||
| 	} | ||||
| 	pv := reflect.Indirect(rv).Interface() | ||||
| 	return fmt.Sprintf("*%v", pv) | ||||
| } | ||||
| func (m *PartialObjectMetadata) Unmarshal(dAtA []byte) error { | ||||
| 	l := len(dAtA) | ||||
| 	iNdEx := 0 | ||||
| 	for iNdEx < l { | ||||
| 		preIndex := iNdEx | ||||
| 		var wire uint64 | ||||
| 		for shift := uint(0); ; shift += 7 { | ||||
| 			if shift >= 64 { | ||||
| 				return ErrIntOverflowGenerated | ||||
| 			} | ||||
| 			if iNdEx >= l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			b := dAtA[iNdEx] | ||||
| 			iNdEx++ | ||||
| 			wire |= (uint64(b) & 0x7F) << shift | ||||
| 			if b < 0x80 { | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
| 		fieldNum := int32(wire >> 3) | ||||
| 		wireType := int(wire & 0x7) | ||||
| 		if wireType == 4 { | ||||
| 			return fmt.Errorf("proto: PartialObjectMetadata: wiretype end group for non-group") | ||||
| 		} | ||||
| 		if fieldNum <= 0 { | ||||
| 			return fmt.Errorf("proto: PartialObjectMetadata: illegal tag %d (wire type %d)", fieldNum, wire) | ||||
| 		} | ||||
| 		switch fieldNum { | ||||
| 		case 1: | ||||
| 			if wireType != 2 { | ||||
| 				return fmt.Errorf("proto: wrong wireType = %d for field ObjectMeta", wireType) | ||||
| 			} | ||||
| 			var msglen int | ||||
| 			for shift := uint(0); ; shift += 7 { | ||||
| 				if shift >= 64 { | ||||
| 					return ErrIntOverflowGenerated | ||||
| 				} | ||||
| 				if iNdEx >= l { | ||||
| 					return io.ErrUnexpectedEOF | ||||
| 				} | ||||
| 				b := dAtA[iNdEx] | ||||
| 				iNdEx++ | ||||
| 				msglen |= (int(b) & 0x7F) << shift | ||||
| 				if b < 0x80 { | ||||
| 					break | ||||
| 				} | ||||
| 			} | ||||
| 			if msglen < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			postIndex := iNdEx + msglen | ||||
| 			if postIndex > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			if err := m.ObjectMeta.Unmarshal(dAtA[iNdEx:postIndex]); err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 			iNdEx = postIndex | ||||
| 		default: | ||||
| 			iNdEx = preIndex | ||||
| 			skippy, err := skipGenerated(dAtA[iNdEx:]) | ||||
| 			if err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 			if skippy < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			if (iNdEx + skippy) > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			iNdEx += skippy | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if iNdEx > l { | ||||
| 		return io.ErrUnexpectedEOF | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
| func (m *PartialObjectMetadataList) Unmarshal(dAtA []byte) error { | ||||
| 	l := len(dAtA) | ||||
| 	iNdEx := 0 | ||||
| 	for iNdEx < l { | ||||
| 		preIndex := iNdEx | ||||
| 		var wire uint64 | ||||
| 		for shift := uint(0); ; shift += 7 { | ||||
| 			if shift >= 64 { | ||||
| 				return ErrIntOverflowGenerated | ||||
| 			} | ||||
| 			if iNdEx >= l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			b := dAtA[iNdEx] | ||||
| 			iNdEx++ | ||||
| 			wire |= (uint64(b) & 0x7F) << shift | ||||
| 			if b < 0x80 { | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
| 		fieldNum := int32(wire >> 3) | ||||
| 		wireType := int(wire & 0x7) | ||||
| 		if wireType == 4 { | ||||
| 			return fmt.Errorf("proto: PartialObjectMetadataList: wiretype end group for non-group") | ||||
| 		} | ||||
| 		if fieldNum <= 0 { | ||||
| 			return fmt.Errorf("proto: PartialObjectMetadataList: illegal tag %d (wire type %d)", fieldNum, wire) | ||||
| 		} | ||||
| 		switch fieldNum { | ||||
| 		case 1: | ||||
| 			if wireType != 2 { | ||||
| 				return fmt.Errorf("proto: wrong wireType = %d for field Items", wireType) | ||||
| 			} | ||||
| 			var msglen int | ||||
| 			for shift := uint(0); ; shift += 7 { | ||||
| 				if shift >= 64 { | ||||
| 					return ErrIntOverflowGenerated | ||||
| 				} | ||||
| 				if iNdEx >= l { | ||||
| 					return io.ErrUnexpectedEOF | ||||
| 				} | ||||
| 				b := dAtA[iNdEx] | ||||
| 				iNdEx++ | ||||
| 				msglen |= (int(b) & 0x7F) << shift | ||||
| 				if b < 0x80 { | ||||
| 					break | ||||
| 				} | ||||
| 			} | ||||
| 			if msglen < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			postIndex := iNdEx + msglen | ||||
| 			if postIndex > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			m.Items = append(m.Items, &PartialObjectMetadata{}) | ||||
| 			if err := m.Items[len(m.Items)-1].Unmarshal(dAtA[iNdEx:postIndex]); err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 			iNdEx = postIndex | ||||
| 		default: | ||||
| 			iNdEx = preIndex | ||||
| 			skippy, err := skipGenerated(dAtA[iNdEx:]) | ||||
| 			if err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 			if skippy < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			if (iNdEx + skippy) > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			iNdEx += skippy | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if iNdEx > l { | ||||
| 		return io.ErrUnexpectedEOF | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
| func (m *TableOptions) Unmarshal(dAtA []byte) error { | ||||
| 	l := len(dAtA) | ||||
| 	iNdEx := 0 | ||||
| 	for iNdEx < l { | ||||
| 		preIndex := iNdEx | ||||
| 		var wire uint64 | ||||
| 		for shift := uint(0); ; shift += 7 { | ||||
| 			if shift >= 64 { | ||||
| 				return ErrIntOverflowGenerated | ||||
| 			} | ||||
| 			if iNdEx >= l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			b := dAtA[iNdEx] | ||||
| 			iNdEx++ | ||||
| 			wire |= (uint64(b) & 0x7F) << shift | ||||
| 			if b < 0x80 { | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
| 		fieldNum := int32(wire >> 3) | ||||
| 		wireType := int(wire & 0x7) | ||||
| 		if wireType == 4 { | ||||
| 			return fmt.Errorf("proto: TableOptions: wiretype end group for non-group") | ||||
| 		} | ||||
| 		if fieldNum <= 0 { | ||||
| 			return fmt.Errorf("proto: TableOptions: illegal tag %d (wire type %d)", fieldNum, wire) | ||||
| 		} | ||||
| 		switch fieldNum { | ||||
| 		case 1: | ||||
| 			if wireType != 2 { | ||||
| 				return fmt.Errorf("proto: wrong wireType = %d for field IncludeObject", wireType) | ||||
| 			} | ||||
| 			var stringLen uint64 | ||||
| 			for shift := uint(0); ; shift += 7 { | ||||
| 				if shift >= 64 { | ||||
| 					return ErrIntOverflowGenerated | ||||
| 				} | ||||
| 				if iNdEx >= l { | ||||
| 					return io.ErrUnexpectedEOF | ||||
| 				} | ||||
| 				b := dAtA[iNdEx] | ||||
| 				iNdEx++ | ||||
| 				stringLen |= (uint64(b) & 0x7F) << shift | ||||
| 				if b < 0x80 { | ||||
| 					break | ||||
| 				} | ||||
| 			} | ||||
| 			intStringLen := int(stringLen) | ||||
| 			if intStringLen < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			postIndex := iNdEx + intStringLen | ||||
| 			if postIndex > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			m.IncludeObject = IncludeObjectPolicy(dAtA[iNdEx:postIndex]) | ||||
| 			iNdEx = postIndex | ||||
| 		default: | ||||
| 			iNdEx = preIndex | ||||
| 			skippy, err := skipGenerated(dAtA[iNdEx:]) | ||||
| 			if err != nil { | ||||
| 				return err | ||||
| 			} | ||||
| 			if skippy < 0 { | ||||
| 				return ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			if (iNdEx + skippy) > l { | ||||
| 				return io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			iNdEx += skippy | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	if iNdEx > l { | ||||
| 		return io.ErrUnexpectedEOF | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
| func skipGenerated(dAtA []byte) (n int, err error) { | ||||
| 	l := len(dAtA) | ||||
| 	iNdEx := 0 | ||||
| 	for iNdEx < l { | ||||
| 		var wire uint64 | ||||
| 		for shift := uint(0); ; shift += 7 { | ||||
| 			if shift >= 64 { | ||||
| 				return 0, ErrIntOverflowGenerated | ||||
| 			} | ||||
| 			if iNdEx >= l { | ||||
| 				return 0, io.ErrUnexpectedEOF | ||||
| 			} | ||||
| 			b := dAtA[iNdEx] | ||||
| 			iNdEx++ | ||||
| 			wire |= (uint64(b) & 0x7F) << shift | ||||
| 			if b < 0x80 { | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
| 		wireType := int(wire & 0x7) | ||||
| 		switch wireType { | ||||
| 		case 0: | ||||
| 			for shift := uint(0); ; shift += 7 { | ||||
| 				if shift >= 64 { | ||||
| 					return 0, ErrIntOverflowGenerated | ||||
| 				} | ||||
| 				if iNdEx >= l { | ||||
| 					return 0, io.ErrUnexpectedEOF | ||||
| 				} | ||||
| 				iNdEx++ | ||||
| 				if dAtA[iNdEx-1] < 0x80 { | ||||
| 					break | ||||
| 				} | ||||
| 			} | ||||
| 			return iNdEx, nil | ||||
| 		case 1: | ||||
| 			iNdEx += 8 | ||||
| 			return iNdEx, nil | ||||
| 		case 2: | ||||
| 			var length int | ||||
| 			for shift := uint(0); ; shift += 7 { | ||||
| 				if shift >= 64 { | ||||
| 					return 0, ErrIntOverflowGenerated | ||||
| 				} | ||||
| 				if iNdEx >= l { | ||||
| 					return 0, io.ErrUnexpectedEOF | ||||
| 				} | ||||
| 				b := dAtA[iNdEx] | ||||
| 				iNdEx++ | ||||
| 				length |= (int(b) & 0x7F) << shift | ||||
| 				if b < 0x80 { | ||||
| 					break | ||||
| 				} | ||||
| 			} | ||||
| 			iNdEx += length | ||||
| 			if length < 0 { | ||||
| 				return 0, ErrInvalidLengthGenerated | ||||
| 			} | ||||
| 			return iNdEx, nil | ||||
| 		case 3: | ||||
| 			for { | ||||
| 				var innerWire uint64 | ||||
| 				var start int = iNdEx | ||||
| 				for shift := uint(0); ; shift += 7 { | ||||
| 					if shift >= 64 { | ||||
| 						return 0, ErrIntOverflowGenerated | ||||
| 					} | ||||
| 					if iNdEx >= l { | ||||
| 						return 0, io.ErrUnexpectedEOF | ||||
| 					} | ||||
| 					b := dAtA[iNdEx] | ||||
| 					iNdEx++ | ||||
| 					innerWire |= (uint64(b) & 0x7F) << shift | ||||
| 					if b < 0x80 { | ||||
| 						break | ||||
| 					} | ||||
| 				} | ||||
| 				innerWireType := int(innerWire & 0x7) | ||||
| 				if innerWireType == 4 { | ||||
| 					break | ||||
| 				} | ||||
| 				next, err := skipGenerated(dAtA[start:]) | ||||
| 				if err != nil { | ||||
| 					return 0, err | ||||
| 				} | ||||
| 				iNdEx = start + next | ||||
| 			} | ||||
| 			return iNdEx, nil | ||||
| 		case 4: | ||||
| 			return iNdEx, nil | ||||
| 		case 5: | ||||
| 			iNdEx += 4 | ||||
| 			return iNdEx, nil | ||||
| 		default: | ||||
| 			return 0, fmt.Errorf("proto: illegal wireType %d", wireType) | ||||
| 		} | ||||
| 	} | ||||
| 	panic("unreachable") | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	ErrInvalidLengthGenerated = fmt.Errorf("proto: negative length found during unmarshaling") | ||||
| 	ErrIntOverflowGenerated   = fmt.Errorf("proto: integer overflow") | ||||
| ) | ||||
|  | ||||
| func init() { | ||||
| 	proto.RegisterFile("k8s.io/kubernetes/vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.proto", fileDescriptorGenerated) | ||||
| } | ||||
|  | ||||
| var fileDescriptorGenerated = []byte{ | ||||
| 	// 375 bytes of a gzipped FileDescriptorProto | ||||
| 	0x1f, 0x8b, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, 0xff, 0x8c, 0x91, 0xcd, 0x0a, 0xd3, 0x40, | ||||
| 	0x10, 0xc7, 0xb3, 0x48, 0xd1, 0x6e, 0xed, 0x25, 0x22, 0xd4, 0x1e, 0x36, 0xa5, 0xa7, 0x0a, 0x76, | ||||
| 	0xd7, 0x16, 0x11, 0x8f, 0x92, 0x5b, 0x41, 0x69, 0x09, 0x9e, 0x3c, 0xb9, 0x49, 0xc6, 0x74, 0xcd, | ||||
| 	0xc7, 0x86, 0xec, 0xa6, 0xd0, 0x8b, 0xf8, 0x08, 0x3e, 0x56, 0x8f, 0x3d, 0xf6, 0x14, 0x6c, 0x7c, | ||||
| 	0x0b, 0x4f, 0x92, 0x0f, 0xec, 0x87, 0x15, 0x7b, 0x9b, 0xf9, 0x0f, 0xbf, 0x5f, 0x66, 0xb2, 0xd8, | ||||
| 	0x09, 0xdf, 0x28, 0x2a, 0x24, 0x0b, 0x73, 0x17, 0xb2, 0x04, 0x34, 0x28, 0xb6, 0x81, 0xc4, 0x97, | ||||
| 	0x19, 0x6b, 0x07, 0x3c, 0x15, 0x31, 0xf7, 0xd6, 0x22, 0x81, 0x6c, 0xcb, 0xd2, 0x30, 0xa8, 0x02, | ||||
| 	0xc5, 0x62, 0xd0, 0x9c, 0x6d, 0x66, 0x2e, 0x68, 0x3e, 0x63, 0x01, 0x24, 0x90, 0x71, 0x0d, 0x3e, | ||||
| 	0x4d, 0x33, 0xa9, 0xa5, 0xf9, 0xbc, 0x41, 0xe9, 0x39, 0x4a, 0xd3, 0x30, 0xa8, 0x02, 0x45, 0x2b, | ||||
| 	0x94, 0xb6, 0xe8, 0x70, 0x1a, 0x08, 0xbd, 0xce, 0x5d, 0xea, 0xc9, 0x98, 0x05, 0x32, 0x90, 0xac, | ||||
| 	0x36, 0xb8, 0xf9, 0xe7, 0xba, 0xab, 0x9b, 0xba, 0x6a, 0xcc, 0xc3, 0x57, 0xf7, 0x2c, 0x75, 0xbd, | ||||
| 	0xcf, 0xf0, 0x9f, 0xa7, 0x64, 0x79, 0xa2, 0x45, 0x0c, 0x7f, 0x01, 0xaf, 0xff, 0x07, 0x28, 0x6f, | ||||
| 	0x0d, 0x31, 0xbf, 0xe6, 0xc6, 0x5b, 0xfc, 0x74, 0xc5, 0x33, 0x2d, 0x78, 0xb4, 0x74, 0xbf, 0x80, | ||||
| 	0xa7, 0xdf, 0x83, 0xe6, 0x3e, 0xd7, 0xdc, 0xfc, 0x84, 0x1f, 0xc5, 0x6d, 0x3d, 0x40, 0x23, 0x34, | ||||
| 	0xe9, 0xcd, 0x5f, 0xd2, 0x7b, 0x7e, 0x12, 0x3d, 0x79, 0x6c, 0x73, 0x57, 0x58, 0x46, 0x59, 0x58, | ||||
| 	0xf8, 0x94, 0x39, 0x7f, 0xac, 0xe3, 0xaf, 0xf8, 0xd9, 0xcd, 0x4f, 0xbf, 0x13, 0x4a, 0x9b, 0x1c, | ||||
| 	0x77, 0x84, 0x86, 0x58, 0x0d, 0xd0, 0xe8, 0xc1, 0xa4, 0x37, 0x7f, 0x4b, 0xef, 0x7e, 0x20, 0x7a, | ||||
| 	0x53, 0x6a, 0x77, 0xcb, 0xc2, 0xea, 0x2c, 0x2a, 0xa5, 0xd3, 0x98, 0xc7, 0x2e, 0x7e, 0xfc, 0x81, | ||||
| 	0xbb, 0x11, 0x2c, 0x53, 0x2d, 0x64, 0xa2, 0x4c, 0x07, 0xf7, 0x45, 0xe2, 0x45, 0xb9, 0x0f, 0x0d, | ||||
| 	0x5a, 0x9f, 0xdd, 0xb5, 0x5f, 0xb4, 0x47, 0xf4, 0x17, 0xe7, 0xc3, 0x5f, 0x85, 0xf5, 0xe4, 0x22, | ||||
| 	0x58, 0xc9, 0x48, 0x78, 0x5b, 0xe7, 0x52, 0x61, 0x4f, 0x77, 0x47, 0x62, 0xec, 0x8f, 0xc4, 0x38, | ||||
| 	0x1c, 0x89, 0xf1, 0xad, 0x24, 0x68, 0x57, 0x12, 0xb4, 0x2f, 0x09, 0x3a, 0x94, 0x04, 0xfd, 0x28, | ||||
| 	0x09, 0xfa, 0xfe, 0x93, 0x18, 0x1f, 0x1f, 0xb6, 0xab, 0xff, 0x0e, 0x00, 0x00, 0xff, 0xff, 0xf3, | ||||
| 	0xe1, 0xde, 0x86, 0xdb, 0x02, 0x00, 0x00, | ||||
| } | ||||
							
								
								
									
										57
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.proto
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										57
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/generated.proto
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,57 @@ | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
|  | ||||
| // This file was autogenerated by go-to-protobuf. Do not edit it manually! | ||||
|  | ||||
| syntax = 'proto2'; | ||||
|  | ||||
| package k8s.io.apimachinery.pkg.apis.meta.v1beta1; | ||||
|  | ||||
| import "k8s.io/apimachinery/pkg/apis/meta/v1/generated.proto"; | ||||
| import "k8s.io/apimachinery/pkg/runtime/generated.proto"; | ||||
| import "k8s.io/apimachinery/pkg/runtime/schema/generated.proto"; | ||||
|  | ||||
| // Package-wide variables from generator "generated". | ||||
| option go_package = "v1beta1"; | ||||
|  | ||||
| // PartialObjectMetadata is a generic representation of any object with ObjectMeta. It allows clients | ||||
| // to get access to a particular ObjectMeta schema without knowing the details of the version. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| message PartialObjectMetadata { | ||||
|   // Standard object's metadata. | ||||
|   // More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata | ||||
|   // +optional | ||||
|   optional k8s.io.apimachinery.pkg.apis.meta.v1.ObjectMeta metadata = 1; | ||||
| } | ||||
|  | ||||
| // PartialObjectMetadataList contains a list of objects containing only their metadata | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| message PartialObjectMetadataList { | ||||
|   // items contains each of the included items. | ||||
|   repeated PartialObjectMetadata items = 1; | ||||
| } | ||||
|  | ||||
| // TableOptions are used when a Table is requested by the caller. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| message TableOptions { | ||||
|   // includeObject decides whether to include each object along with its columnar information. | ||||
|   // Specifying "None" will return no object, specifying "Object" will return the full object contents, and | ||||
|   // specifying "Metadata" (the default) will return the object's metadata in the PartialObjectMetadata kind | ||||
|   // in version v1beta1 of the meta.k8s.io API group. | ||||
|   optional string includeObject = 1; | ||||
| } | ||||
|  | ||||
							
								
								
									
										57
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/register.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										57
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/register.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,57 @@ | ||||
| /* | ||||
| Copyright 2017 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 v1beta1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| 	"k8s.io/apimachinery/pkg/runtime/schema" | ||||
| ) | ||||
|  | ||||
| // GroupName is the group name for this API. | ||||
| const GroupName = "meta.k8s.io" | ||||
|  | ||||
| // SchemeGroupVersion is group version used to register these objects | ||||
| var SchemeGroupVersion = schema.GroupVersion{Group: GroupName, Version: "v1beta1"} | ||||
|  | ||||
| // Kind takes an unqualified kind and returns a Group qualified GroupKind | ||||
| func Kind(kind string) schema.GroupKind { | ||||
| 	return SchemeGroupVersion.WithKind(kind).GroupKind() | ||||
| } | ||||
|  | ||||
| // scheme is the registry for the common types that adhere to the meta v1beta1 API spec. | ||||
| var scheme = runtime.NewScheme() | ||||
|  | ||||
| // ParameterCodec knows about query parameters used with the meta v1beta1 API spec. | ||||
| var ParameterCodec = runtime.NewParameterCodec(scheme) | ||||
|  | ||||
| func init() { | ||||
| 	scheme.AddKnownTypes(SchemeGroupVersion, | ||||
| 		&Table{}, | ||||
| 		&TableOptions{}, | ||||
| 		&PartialObjectMetadata{}, | ||||
| 		&PartialObjectMetadataList{}, | ||||
| 	) | ||||
|  | ||||
| 	if err := scheme.AddConversionFuncs( | ||||
| 		Convert_Slice_string_To_v1beta1_IncludeObjectPolicy, | ||||
| 	); err != nil { | ||||
| 		panic(err) | ||||
| 	} | ||||
|  | ||||
| 	// register manually. This usually goes through the SchemeBuilder, which we cannot use here. | ||||
| 	//scheme.AddGeneratedDeepCopyFuncs(GetGeneratedDeepCopyFuncs()...) | ||||
| } | ||||
							
								
								
									
										161
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/types.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										161
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/types.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,161 @@ | ||||
| /* | ||||
| Copyright 2017 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 v1beta1 is alpha objects from meta that will be introduced. | ||||
| package v1beta1 | ||||
|  | ||||
| import ( | ||||
| 	"k8s.io/apimachinery/pkg/apis/meta/v1" | ||||
| 	"k8s.io/apimachinery/pkg/runtime" | ||||
| ) | ||||
|  | ||||
| // TODO: Table does not generate to protobuf because of the interface{} - fix protobuf | ||||
| //   generation to support a meta type that can accept any valid JSON. | ||||
|  | ||||
| // Table is a tabular representation of a set of API resources. The server transforms the | ||||
| // object into a set of preferred columns for quickly reviewing the objects. | ||||
| // +protobuf=false | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| type Table struct { | ||||
| 	v1.TypeMeta `json:",inline"` | ||||
| 	// Standard list metadata. | ||||
| 	// More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds | ||||
| 	// +optional | ||||
| 	v1.ListMeta `json:"metadata,omitempty"` | ||||
|  | ||||
| 	// columnDefinitions describes each column in the returned items array. The number of cells per row | ||||
| 	// will always match the number of column definitions. | ||||
| 	ColumnDefinitions []TableColumnDefinition `json:"columnDefinitions"` | ||||
| 	// rows is the list of items in the table. | ||||
| 	Rows []TableRow `json:"rows"` | ||||
| } | ||||
|  | ||||
| // TableColumnDefinition contains information about a column returned in the Table. | ||||
| // +protobuf=false | ||||
| type TableColumnDefinition struct { | ||||
| 	// name is a human readable name for the column. | ||||
| 	Name string `json:"name"` | ||||
| 	// type is an OpenAPI type definition for this column. | ||||
| 	// See https://github.com/OAI/OpenAPI-Specification/blob/master/versions/2.0.md#data-types for more. | ||||
| 	Type string `json:"type"` | ||||
| 	// format is an optional OpenAPI type definition for this column. The 'name' format is applied | ||||
| 	// to the primary identifier column to assist in clients identifying column is the resource name. | ||||
| 	// See https://github.com/OAI/OpenAPI-Specification/blob/master/versions/2.0.md#data-types for more. | ||||
| 	Format string `json:"format"` | ||||
| 	// description is a human readable description of this column. | ||||
| 	Description string `json:"description"` | ||||
| 	// priority is an integer defining the relative importance of this column compared to others. Lower | ||||
| 	// numbers are considered higher priority. Columns that may be omitted in limited space scenarios | ||||
| 	// should be given a higher priority. | ||||
| 	Priority int32 `json:"priority"` | ||||
| } | ||||
|  | ||||
| // TableRow is an individual row in a table. | ||||
| // +protobuf=false | ||||
| type TableRow struct { | ||||
| 	// cells will be as wide as headers and may contain strings, numbers (float64 or int64), booleans, simple | ||||
| 	// maps, or lists, or null. See the type field of the column definition for a more detailed description. | ||||
| 	Cells []interface{} `json:"cells"` | ||||
| 	// conditions describe additional status of a row that are relevant for a human user. | ||||
| 	// +optional | ||||
| 	Conditions []TableRowCondition `json:"conditions,omitempty"` | ||||
| 	// This field contains the requested additional information about each object based on the includeObject | ||||
| 	// policy when requesting the Table. If "None", this field is empty, if "Object" this will be the | ||||
| 	// default serialization of the object for the current API version, and if "Metadata" (the default) will | ||||
| 	// contain the object metadata. Check the returned kind and apiVersion of the object before parsing. | ||||
| 	// +optional | ||||
| 	Object runtime.RawExtension `json:"object,omitempty"` | ||||
| } | ||||
|  | ||||
| // TableRowCondition allows a row to be marked with additional information. | ||||
| // +protobuf=false | ||||
| type TableRowCondition struct { | ||||
| 	// Type of row condition. | ||||
| 	Type RowConditionType `json:"type"` | ||||
| 	// Status of the condition, one of True, False, Unknown. | ||||
| 	Status ConditionStatus `json:"status"` | ||||
| 	// (brief) machine readable reason for the condition's last transition. | ||||
| 	// +optional | ||||
| 	Reason string `json:"reason,omitempty"` | ||||
| 	// Human readable message indicating details about last transition. | ||||
| 	// +optional | ||||
| 	Message string `json:"message,omitempty"` | ||||
| } | ||||
|  | ||||
| type RowConditionType string | ||||
|  | ||||
| // These are valid conditions of a row. This list is not exhaustive and new conditions may be | ||||
| // included by other resources. | ||||
| const ( | ||||
| 	// RowCompleted means the underlying resource has reached completion and may be given less | ||||
| 	// visual priority than other resources. | ||||
| 	RowCompleted RowConditionType = "Completed" | ||||
| ) | ||||
|  | ||||
| type ConditionStatus string | ||||
|  | ||||
| // These are valid condition statuses. "ConditionTrue" means a resource is in the condition. | ||||
| // "ConditionFalse" means a resource is not in the condition. "ConditionUnknown" means kubernetes | ||||
| // can't decide if a resource is in the condition or not. In the future, we could add other | ||||
| // intermediate conditions, e.g. ConditionDegraded. | ||||
| const ( | ||||
| 	ConditionTrue    ConditionStatus = "True" | ||||
| 	ConditionFalse   ConditionStatus = "False" | ||||
| 	ConditionUnknown ConditionStatus = "Unknown" | ||||
| ) | ||||
|  | ||||
| // IncludeObjectPolicy controls which portion of the object is returned with a Table. | ||||
| type IncludeObjectPolicy string | ||||
|  | ||||
| const ( | ||||
| 	// IncludeNone returns no object. | ||||
| 	IncludeNone IncludeObjectPolicy = "None" | ||||
| 	// IncludeMetadata serializes the object containing only its metadata field. | ||||
| 	IncludeMetadata IncludeObjectPolicy = "Metadata" | ||||
| 	// IncludeObject contains the full object. | ||||
| 	IncludeObject IncludeObjectPolicy = "Object" | ||||
| ) | ||||
|  | ||||
| // TableOptions are used when a Table is requested by the caller. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| type TableOptions struct { | ||||
| 	v1.TypeMeta `json:",inline"` | ||||
| 	// includeObject decides whether to include each object along with its columnar information. | ||||
| 	// Specifying "None" will return no object, specifying "Object" will return the full object contents, and | ||||
| 	// specifying "Metadata" (the default) will return the object's metadata in the PartialObjectMetadata kind | ||||
| 	// in version v1beta1 of the meta.k8s.io API group. | ||||
| 	IncludeObject IncludeObjectPolicy `json:"includeObject,omitempty" protobuf:"bytes,1,opt,name=includeObject,casttype=IncludeObjectPolicy"` | ||||
| } | ||||
|  | ||||
| // PartialObjectMetadata is a generic representation of any object with ObjectMeta. It allows clients | ||||
| // to get access to a particular ObjectMeta schema without knowing the details of the version. | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| type PartialObjectMetadata struct { | ||||
| 	v1.TypeMeta `json:",inline"` | ||||
| 	// Standard object's metadata. | ||||
| 	// More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata | ||||
| 	// +optional | ||||
| 	v1.ObjectMeta `json:"metadata,omitempty" protobuf:"bytes,1,opt,name=metadata"` | ||||
| } | ||||
|  | ||||
| // PartialObjectMetadataList contains a list of objects containing only their metadata | ||||
| // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object | ||||
| type PartialObjectMetadataList struct { | ||||
| 	v1.TypeMeta `json:",inline"` | ||||
|  | ||||
| 	// items contains each of the included items. | ||||
| 	Items []*PartialObjectMetadata `json:"items" protobuf:"bytes,1,rep,name=items"` | ||||
| } | ||||
							
								
								
									
										104
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/types_swagger_doc_generated.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										104
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/types_swagger_doc_generated.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,104 @@ | ||||
| /* | ||||
| Copyright 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 v1beta1 | ||||
|  | ||||
| // This file contains a collection of methods that can be used from go-restful to | ||||
| // generate Swagger API documentation for its models. Please read this PR for more | ||||
| // information on the implementation: https://github.com/emicklei/go-restful/pull/215 | ||||
| // | ||||
| // TODOs are ignored from the parser (e.g. TODO(andronat):... || TODO:...) if and only if | ||||
| // they are on one line! For multiple line or blocks that you want to ignore use ---. | ||||
| // Any context after a --- is ignored. | ||||
| // | ||||
| // Those methods can be generated by using hack/update-generated-swagger-docs.sh | ||||
|  | ||||
| // AUTO-GENERATED FUNCTIONS START HERE. DO NOT EDIT. | ||||
| var map_PartialObjectMetadata = map[string]string{ | ||||
| 	"":         "PartialObjectMetadata is a generic representation of any object with ObjectMeta. It allows clients to get access to a particular ObjectMeta schema without knowing the details of the version.", | ||||
| 	"metadata": "Standard object's metadata. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#metadata", | ||||
| } | ||||
|  | ||||
| func (PartialObjectMetadata) SwaggerDoc() map[string]string { | ||||
| 	return map_PartialObjectMetadata | ||||
| } | ||||
|  | ||||
| var map_PartialObjectMetadataList = map[string]string{ | ||||
| 	"":      "PartialObjectMetadataList contains a list of objects containing only their metadata", | ||||
| 	"items": "items contains each of the included items.", | ||||
| } | ||||
|  | ||||
| func (PartialObjectMetadataList) SwaggerDoc() map[string]string { | ||||
| 	return map_PartialObjectMetadataList | ||||
| } | ||||
|  | ||||
| var map_Table = map[string]string{ | ||||
| 	"":                  "Table is a tabular representation of a set of API resources. The server transforms the object into a set of preferred columns for quickly reviewing the objects.", | ||||
| 	"metadata":          "Standard list metadata. More info: https://git.k8s.io/community/contributors/devel/api-conventions.md#types-kinds", | ||||
| 	"columnDefinitions": "columnDefinitions describes each column in the returned items array. The number of cells per row will always match the number of column definitions.", | ||||
| 	"rows":              "rows is the list of items in the table.", | ||||
| } | ||||
|  | ||||
| func (Table) SwaggerDoc() map[string]string { | ||||
| 	return map_Table | ||||
| } | ||||
|  | ||||
| var map_TableColumnDefinition = map[string]string{ | ||||
| 	"":            "TableColumnDefinition contains information about a column returned in the Table.", | ||||
| 	"name":        "name is a human readable name for the column.", | ||||
| 	"type":        "type is an OpenAPI type definition for this column. See https://github.com/OAI/OpenAPI-Specification/blob/master/versions/2.0.md#data-types for more.", | ||||
| 	"format":      "format is an optional OpenAPI type definition for this column. The 'name' format is applied to the primary identifier column to assist in clients identifying column is the resource name. See https://github.com/OAI/OpenAPI-Specification/blob/master/versions/2.0.md#data-types for more.", | ||||
| 	"description": "description is a human readable description of this column.", | ||||
| 	"priority":    "priority is an integer defining the relative importance of this column compared to others. Lower numbers are considered higher priority. Columns that may be omitted in limited space scenarios should be given a higher priority.", | ||||
| } | ||||
|  | ||||
| func (TableColumnDefinition) SwaggerDoc() map[string]string { | ||||
| 	return map_TableColumnDefinition | ||||
| } | ||||
|  | ||||
| var map_TableOptions = map[string]string{ | ||||
| 	"":              "TableOptions are used when a Table is requested by the caller.", | ||||
| 	"includeObject": "includeObject decides whether to include each object along with its columnar information. Specifying \"None\" will return no object, specifying \"Object\" will return the full object contents, and specifying \"Metadata\" (the default) will return the object's metadata in the PartialObjectMetadata kind in version v1beta1 of the meta.k8s.io API group.", | ||||
| } | ||||
|  | ||||
| func (TableOptions) SwaggerDoc() map[string]string { | ||||
| 	return map_TableOptions | ||||
| } | ||||
|  | ||||
| var map_TableRow = map[string]string{ | ||||
| 	"":           "TableRow is an individual row in a table.", | ||||
| 	"cells":      "cells will be as wide as headers and may contain strings, numbers (float64 or int64), booleans, simple maps, or lists, or null. See the type field of the column definition for a more detailed description.", | ||||
| 	"conditions": "conditions describe additional status of a row that are relevant for a human user.", | ||||
| 	"object":     "This field contains the requested additional information about each object based on the includeObject policy when requesting the Table. If \"None\", this field is empty, if \"Object\" this will be the default serialization of the object for the current API version, and if \"Metadata\" (the default) will contain the object metadata. Check the returned kind and apiVersion of the object before parsing.", | ||||
| } | ||||
|  | ||||
| func (TableRow) SwaggerDoc() map[string]string { | ||||
| 	return map_TableRow | ||||
| } | ||||
|  | ||||
| var map_TableRowCondition = map[string]string{ | ||||
| 	"":        "TableRowCondition allows a row to be marked with additional information.", | ||||
| 	"type":    "Type of row condition.", | ||||
| 	"status":  "Status of the condition, one of True, False, Unknown.", | ||||
| 	"reason":  "(brief) machine readable reason for the condition's last transition.", | ||||
| 	"message": "Human readable message indicating details about last transition.", | ||||
| } | ||||
|  | ||||
| func (TableRowCondition) SwaggerDoc() map[string]string { | ||||
| 	return map_TableRowCondition | ||||
| } | ||||
|  | ||||
| // AUTO-GENERATED FUNCTIONS END HERE | ||||
							
								
								
									
										189
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										189
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/zz_generated.deepcopy.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,189 @@ | ||||
| // +build !ignore_autogenerated | ||||
|  | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
| // Code generated by deepcopy-gen. DO NOT EDIT. | ||||
|  | ||||
| package v1beta1 | ||||
|  | ||||
| import ( | ||||
| 	runtime "k8s.io/apimachinery/pkg/runtime" | ||||
| ) | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *PartialObjectMetadata) DeepCopyInto(out *PartialObjectMetadata) { | ||||
| 	*out = *in | ||||
| 	out.TypeMeta = in.TypeMeta | ||||
| 	in.ObjectMeta.DeepCopyInto(&out.ObjectMeta) | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new PartialObjectMetadata. | ||||
| func (in *PartialObjectMetadata) DeepCopy() *PartialObjectMetadata { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(PartialObjectMetadata) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *PartialObjectMetadata) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *PartialObjectMetadataList) DeepCopyInto(out *PartialObjectMetadataList) { | ||||
| 	*out = *in | ||||
| 	out.TypeMeta = in.TypeMeta | ||||
| 	if in.Items != nil { | ||||
| 		in, out := &in.Items, &out.Items | ||||
| 		*out = make([]*PartialObjectMetadata, len(*in)) | ||||
| 		for i := range *in { | ||||
| 			if (*in)[i] != nil { | ||||
| 				in, out := &(*in)[i], &(*out)[i] | ||||
| 				*out = new(PartialObjectMetadata) | ||||
| 				(*in).DeepCopyInto(*out) | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new PartialObjectMetadataList. | ||||
| func (in *PartialObjectMetadataList) DeepCopy() *PartialObjectMetadataList { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(PartialObjectMetadataList) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *PartialObjectMetadataList) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *Table) DeepCopyInto(out *Table) { | ||||
| 	*out = *in | ||||
| 	out.TypeMeta = in.TypeMeta | ||||
| 	out.ListMeta = in.ListMeta | ||||
| 	if in.ColumnDefinitions != nil { | ||||
| 		in, out := &in.ColumnDefinitions, &out.ColumnDefinitions | ||||
| 		*out = make([]TableColumnDefinition, len(*in)) | ||||
| 		copy(*out, *in) | ||||
| 	} | ||||
| 	if in.Rows != nil { | ||||
| 		in, out := &in.Rows, &out.Rows | ||||
| 		*out = make([]TableRow, len(*in)) | ||||
| 		for i := range *in { | ||||
| 			(*in)[i].DeepCopyInto(&(*out)[i]) | ||||
| 		} | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new Table. | ||||
| func (in *Table) DeepCopy() *Table { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(Table) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *Table) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *TableColumnDefinition) DeepCopyInto(out *TableColumnDefinition) { | ||||
| 	*out = *in | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new TableColumnDefinition. | ||||
| func (in *TableColumnDefinition) DeepCopy() *TableColumnDefinition { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(TableColumnDefinition) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *TableOptions) DeepCopyInto(out *TableOptions) { | ||||
| 	*out = *in | ||||
| 	out.TypeMeta = in.TypeMeta | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new TableOptions. | ||||
| func (in *TableOptions) DeepCopy() *TableOptions { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(TableOptions) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // DeepCopyObject is an autogenerated deepcopy function, copying the receiver, creating a new runtime.Object. | ||||
| func (in *TableOptions) DeepCopyObject() runtime.Object { | ||||
| 	if c := in.DeepCopy(); c != nil { | ||||
| 		return c | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *TableRow) DeepCopyInto(out *TableRow) { | ||||
| 	clone := in.DeepCopy() | ||||
| 	*out = *clone | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopyInto is an autogenerated deepcopy function, copying the receiver, writing into out. in must be non-nil. | ||||
| func (in *TableRowCondition) DeepCopyInto(out *TableRowCondition) { | ||||
| 	*out = *in | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // DeepCopy is an autogenerated deepcopy function, copying the receiver, creating a new TableRowCondition. | ||||
| func (in *TableRowCondition) DeepCopy() *TableRowCondition { | ||||
| 	if in == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	out := new(TableRowCondition) | ||||
| 	in.DeepCopyInto(out) | ||||
| 	return out | ||||
| } | ||||
							
								
								
									
										32
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/zz_generated.defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							
							
						
						
									
										32
									
								
								vendor/k8s.io/apimachinery/pkg/apis/meta/v1beta1/zz_generated.defaults.go
									
									
									
										generated
									
									
										vendored
									
									
										Normal file
									
								
							| @ -0,0 +1,32 @@ | ||||
| // +build !ignore_autogenerated | ||||
|  | ||||
| /* | ||||
| Copyright 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. | ||||
| */ | ||||
|  | ||||
| // Code generated by defaulter-gen. DO NOT EDIT. | ||||
|  | ||||
| package v1beta1 | ||||
|  | ||||
| import ( | ||||
| 	runtime "k8s.io/apimachinery/pkg/runtime" | ||||
| ) | ||||
|  | ||||
| // RegisterDefaults adds defaulters functions to the given scheme. | ||||
| // Public to allow building arbitrary schemes. | ||||
| // All generated defaulters are covering - they call all nested defaulters. | ||||
| func RegisterDefaults(scheme *runtime.Scheme) error { | ||||
| 	return nil | ||||
| } | ||||
		Reference in New Issue
	
	Block a user