Skip to content

Commit bcdf3bb

Browse files
50342: Establish '406 Not Acceptable' response for protobuf serialization 'errNotMarshalable'
- Added metav1.Status() that enforces '406 Not Acceptable' response if protobuf serialization is not fully supported for the API resource type. - JSON and YAML serialization are supposed to be more completely baked in, so serialization involving those, and general errors with seralizing protobuf, will return '500 Internal Server Error'. - If serialization failure occurs and original HTTP status code is error, use the original status code, else use the serialization failure status code. - Write encoded API responses to intermediate buffer - Use apimachinery/runtime::Encode() instead of apimachinery/runtime/protocol::Encode() in apiserver/endpoints/handlers/responsewriters/writers::SerializeObject() - This allows for intended encoder error handling to fully work, facilitated by apiserver/endpoints/handlers/responsewriters/status::ErrorToAPIResponse() before officially writing to the http.ResponseWriter - The specific part that wasn't working by ErrorToAPIResponse() was the HTTP status code set. A direct call to http.ResponseWriter::WriteHeader(statusCode) was made in SerializeObject() with the original response status code, before performing the encode. Once this method is called, it can not again update the status code at a later time, with say, an erro status code due to encode failure. - Updated relevant apiserver unit test to reflect the new behavior (TestWriteJSONDecodeError()) - Add build deps from make update for protobuf serializer 50342: Code review suggestion impl - Ensure that http.ResponseWriter::Header().Set() is called before http.ResponseWriter::WriteHeader() - This will avert a potential issue where changing the response media type to text/plain wouldn't work. - We want to respond with plain text if serialization fails of the original response, and serialization also fails for the resultant error response. 50342: wrapper for http.ResponseWriter - Prevent potential performance regression caused by modifying encode to use a buffer instead of streaming - This is achieved by creating a wrapper type for http.ResponseWriter that will use WriteHeader(statusCode) on the first call to Write(). Thus, on encode success, Write() will write the original statusCode. On encode failure, we pass control onto responsewriters::errSerializationFatal(), which will process the error to obtain potentially a new status code, depending on whether or not the original status code was itself an error. 50342: code review suggestions - Remove historical note from unit test comment - Don't export httpResponseWriterWithInit type (for now)
1 parent 1737a43 commit bcdf3bb

File tree

4 files changed

+51
-17
lines changed

4 files changed

+51
-17
lines changed

staging/src/k8s.io/apimachinery/pkg/runtime/serializer/protobuf/BUILD

+1
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ go_library(
1414
importmap = "k8s.io/kubernetes/vendor/k8s.io/apimachinery/pkg/runtime/serializer/protobuf",
1515
importpath = "k8s.io/apimachinery/pkg/runtime/serializer/protobuf",
1616
deps = [
17+
"//staging/src/k8s.io/apimachinery/pkg/apis/meta/v1:go_default_library",
1718
"//staging/src/k8s.io/apimachinery/pkg/runtime:go_default_library",
1819
"//staging/src/k8s.io/apimachinery/pkg/runtime/schema:go_default_library",
1920
"//staging/src/k8s.io/apimachinery/pkg/runtime/serializer/recognizer:go_default_library",

staging/src/k8s.io/apimachinery/pkg/runtime/serializer/protobuf/protobuf.go

+11
Original file line numberDiff line numberDiff line change
@@ -20,10 +20,12 @@ import (
2020
"bytes"
2121
"fmt"
2222
"io"
23+
"net/http"
2324
"reflect"
2425

2526
"github.com/gogo/protobuf/proto"
2627

28+
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
2729
"k8s.io/apimachinery/pkg/runtime"
2830
"k8s.io/apimachinery/pkg/runtime/schema"
2931
"k8s.io/apimachinery/pkg/runtime/serializer/recognizer"
@@ -50,6 +52,15 @@ func (e errNotMarshalable) Error() string {
5052
return fmt.Sprintf("object %v does not implement the protobuf marshalling interface and cannot be encoded to a protobuf message", e.t)
5153
}
5254

55+
func (e errNotMarshalable) Status() metav1.Status {
56+
return metav1.Status{
57+
Status: metav1.StatusFailure,
58+
Code: http.StatusNotAcceptable,
59+
Reason: metav1.StatusReason("NotAcceptable"),
60+
Message: e.Error(),
61+
}
62+
}
63+
5364
func IsNotMarshalable(err error) bool {
5465
_, ok := err.(errNotMarshalable)
5566
return err != nil && ok

staging/src/k8s.io/apiserver/pkg/endpoints/apiserver_test.go

+6-4
Original file line numberDiff line numberDiff line change
@@ -3667,10 +3667,12 @@ func TestWriteJSONDecodeError(t *testing.T) {
36673667
responsewriters.WriteObjectNegotiated(codecs, newGroupVersion, w, req, http.StatusOK, &UnregisteredAPIObject{"Undecodable"})
36683668
}))
36693669
defer server.Close()
3670-
// We send a 200 status code before we encode the object, so we expect OK, but there will
3671-
// still be an error object. This seems ok, the alternative is to validate the object before
3672-
// encoding, but this really should never happen, so it's wasted compute for every API request.
3673-
status := expectApiStatus(t, "GET", server.URL, nil, http.StatusOK)
3670+
// Decode error response behavior is dictated by
3671+
// apiserver/pkg/endpoints/handlers/responsewriters/status.go::ErrorToAPIStatus().
3672+
// Unless specific metav1.Status() parameters are implemented for the particular error in question, such that
3673+
// the status code is defined, metav1 errors where error.status == metav1.StatusFailure
3674+
// will throw a '500 Internal Server Error'. Non-metav1 type errors will always throw a '500 Internal Server Error'.
3675+
status := expectApiStatus(t, "GET", server.URL, nil, http.StatusInternalServerError)
36743676
if status.Reason != metav1.StatusReasonUnknown {
36753677
t.Errorf("unexpected reason %#v", status)
36763678
}

staging/src/k8s.io/apiserver/pkg/endpoints/handlers/responsewriters/writers.go

+33-13
Original file line numberDiff line numberDiff line change
@@ -35,6 +35,26 @@ import (
3535
"k8s.io/apiserver/pkg/util/wsstream"
3636
)
3737

38+
// httpResponseWriterWithInit wraps http.ResponseWriter, and implements the io.Writer interface to be used
39+
// with encoding. The purpose is to allow for encoding to a stream, while accommodating a custom HTTP status code
40+
// if encoding fails, and meeting the encoder's io.Writer interface requirement.
41+
type httpResponseWriterWithInit struct {
42+
hasWritten bool
43+
mediaType string
44+
statusCode int
45+
innerW http.ResponseWriter
46+
}
47+
48+
func (w httpResponseWriterWithInit) Write(b []byte) (n int, err error) {
49+
if !w.hasWritten {
50+
w.innerW.Header().Set("Content-Type", w.mediaType)
51+
w.innerW.WriteHeader(w.statusCode)
52+
w.hasWritten = true
53+
}
54+
55+
return w.innerW.Write(b)
56+
}
57+
3858
// WriteObject renders a returned runtime.Object to the response as a stream or an encoded object. If the object
3959
// returned by the response implements rest.ResourceStreamer that interface will be used to render the
4060
// response. The Accept header and current API version will be passed in, and the output will be copied
@@ -90,12 +110,11 @@ func StreamObject(statusCode int, gv schema.GroupVersion, s runtime.NegotiatedSe
90110

91111
// SerializeObject renders an object in the content type negotiated by the client using the provided encoder.
92112
// The context is optional and can be nil.
93-
func SerializeObject(mediaType string, encoder runtime.Encoder, w http.ResponseWriter, req *http.Request, statusCode int, object runtime.Object) {
94-
w.Header().Set("Content-Type", mediaType)
95-
w.WriteHeader(statusCode)
113+
func SerializeObject(mediaType string, encoder runtime.Encoder, innerW http.ResponseWriter, req *http.Request, statusCode int, object runtime.Object) {
114+
w := httpResponseWriterWithInit{mediaType: mediaType, innerW: innerW, statusCode: statusCode}
96115

97116
if err := encoder.Encode(object, w); err != nil {
98-
errorJSONFatal(err, encoder, w)
117+
errSerializationFatal(err, encoder, w)
99118
}
100119
}
101120

@@ -143,22 +162,23 @@ func ErrorNegotiated(err error, s runtime.NegotiatedSerializer, gv schema.GroupV
143162
return code
144163
}
145164

146-
// errorJSONFatal renders an error to the response, and if codec fails will render plaintext.
165+
// errSerializationFatal renders an error to the response, and if codec fails will render plaintext.
147166
// Returns the HTTP status code of the error.
148-
func errorJSONFatal(err error, codec runtime.Encoder, w http.ResponseWriter) int {
167+
func errSerializationFatal(err error, codec runtime.Encoder, w httpResponseWriterWithInit) {
149168
utilruntime.HandleError(fmt.Errorf("apiserver was unable to write a JSON response: %v", err))
150169
status := ErrorToAPIStatus(err)
151-
code := int(status.Code)
170+
candidateStatusCode := int(status.Code)
171+
// If original statusCode was not successful, we need to return the original error.
172+
// We cannot hide it behind serialization problems
173+
if w.statusCode >= http.StatusOK && w.statusCode < http.StatusBadRequest {
174+
w.statusCode = candidateStatusCode
175+
}
152176
output, err := runtime.Encode(codec, status)
153177
if err != nil {
154-
w.WriteHeader(code)
155-
fmt.Fprintf(w, "%s: %s", status.Reason, status.Message)
156-
return code
178+
w.mediaType = "text/plain"
179+
output = []byte(fmt.Sprintf("%s: %s", status.Reason, status.Message))
157180
}
158-
w.Header().Set("Content-Type", "application/json")
159-
w.WriteHeader(code)
160181
w.Write(output)
161-
return code
162182
}
163183

164184
// WriteRawJSON writes a non-API object in JSON.

0 commit comments

Comments
 (0)