Skip to content

Commit

Permalink
Fix bug with non-ASCII HTTP headers (#3197)
Browse files Browse the repository at this point in the history
* Fix bug with non-ASCII HTTP headers

gRPC metadata (for the non-binary keys) must be printable
ASCII, i.e. each byte must be between 0x20 and 0x7E inclusive.

* fix bug

* more precise log messages

* address comments

* fix bug and add test

* test for invalid header name

* generated change to BUILD file
  • Loading branch information
steinarvk-oda committed Feb 22, 2023
1 parent 7a1ed2b commit cf612c8
Show file tree
Hide file tree
Showing 3 changed files with 119 additions and 0 deletions.
78 changes: 78 additions & 0 deletions examples/internal/integration/integration_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -53,6 +53,8 @@ func TestEcho(t *testing.T) {
testEchoBody(t, 8089, apiPrefix, true)
testEchoBody(t, 8089, apiPrefix, false)
testEchoBodyParamOverwrite(t, 8088)
testEchoWithNonASCIIHeaderValues(t, 8088, apiPrefix)
testEchoWithInvalidHeaderKey(t, 8088, apiPrefix)
})
}
}
Expand Down Expand Up @@ -2504,3 +2506,79 @@ func testABETrace(t *testing.T, port int) {
return
}
}

func testEchoWithNonASCIIHeaderValues(t *testing.T, port int, apiPrefix string) {
apiURL := fmt.Sprintf("http://localhost:%d/%s/example/echo/myid", port, apiPrefix)

req, err := http.NewRequest("POST", apiURL, strings.NewReader("{}"))
if err != nil {
t.Errorf("http.NewRequest() = err: %v", err)
return
}
req.Header.Add("Content-Type", "application/json")
req.Header.Add("Grpc-Metadata-Location", "Gjøvik")
resp, err := http.DefaultClient.Do(req)
if err != nil {
t.Errorf("http.Post(%q) failed with %v; want success", apiURL, err)
return
}
defer resp.Body.Close()

buf, err := io.ReadAll(resp.Body)
if err != nil {
t.Errorf("io.ReadAll(resp.Body) failed with %v; want success", err)
return
}

if got, want := resp.StatusCode, http.StatusOK; got != want {
t.Errorf("resp.StatusCode = %d; want %d", got, want)
t.Logf("%s", buf)
}

msg := new(examplepb.UnannotatedSimpleMessage)
if err := marshaler.Unmarshal(buf, msg); err != nil {
t.Errorf("marshaler.Unmarshal(%s, msg) failed with %v; want success", buf, err)
return
}
if got, want := msg.Id, "myid"; got != want {
t.Errorf("msg.Id = %q; want %q", got, want)
}
}

func testEchoWithInvalidHeaderKey(t *testing.T, port int, apiPrefix string) {
apiURL := fmt.Sprintf("http://localhost:%d/%s/example/echo/myid", port, apiPrefix)

req, err := http.NewRequest("POST", apiURL, strings.NewReader("{}"))
if err != nil {
t.Errorf("http.NewRequest() = err: %v", err)
return
}
req.Header.Add("Content-Type", "application/json")
req.Header.Add("Grpc-Metadata-Foo+Bar", "Hello")
resp, err := http.DefaultClient.Do(req)
if err != nil {
t.Errorf("http.Post(%q) failed with %v; want success", apiURL, err)
return
}
defer resp.Body.Close()

buf, err := io.ReadAll(resp.Body)
if err != nil {
t.Errorf("io.ReadAll(resp.Body) failed with %v; want success", err)
return
}

if got, want := resp.StatusCode, http.StatusOK; got != want {
t.Errorf("resp.StatusCode = %d; want %d", got, want)
t.Logf("%s", buf)
}

msg := new(examplepb.UnannotatedSimpleMessage)
if err := marshaler.Unmarshal(buf, msg); err != nil {
t.Errorf("marshaler.Unmarshal(%s, msg) failed with %v; want success", buf, err)
return
}
if got, want := msg.Id, "myid"; got != want {
t.Errorf("msg.Id = %q; want %q", got, want)
}
}
1 change: 1 addition & 0 deletions runtime/BUILD.bazel
Original file line number Diff line number Diff line change
Expand Up @@ -26,6 +26,7 @@ go_library(
deps = [
"//internal/httprule",
"//utilities",
"@com_github_golang_glog//:glog",
"@go_googleapis//google/api:httpbody_go_proto",
"@io_bazel_rules_go//proto/wkt:field_mask_go_proto",
"@org_golang_google_grpc//codes",
Expand Down
40 changes: 40 additions & 0 deletions runtime/context.go
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ import (
"sync"
"time"

"github.com/golang/glog"
"google.golang.org/grpc/codes"
"google.golang.org/grpc/metadata"
"google.golang.org/grpc/status"
Expand Down Expand Up @@ -99,6 +100,38 @@ func AnnotateIncomingContext(ctx context.Context, mux *ServeMux, req *http.Reque
return metadata.NewIncomingContext(ctx, md), nil
}

func isValidGRPCMetadataKey(key string) bool {
// Must be a valid gRPC "Header-Name" as defined here:
// https://github.com/grpc/grpc/blob/4b05dc88b724214d0c725c8e7442cbc7a61b1374/doc/PROTOCOL-HTTP2.md
// This means 0-9 a-z _ - .
// Only lowercase letters are valid in the wire protocol, but the client library will normalize
// uppercase ASCII to lowercase, so uppercase ASCII is also acceptable.
bytes := []byte(key) // gRPC validates strings on the byte level, not Unicode.
for _, ch := range bytes {
validLowercaseLetter := ch >= 'a' && ch <= 'z'
validUppercaseLetter := ch >= 'A' && ch <= 'Z'
validDigit := ch >= '0' && ch <= '9'
validOther := ch == '.' || ch == '-' || ch == '_'
if !validLowercaseLetter && !validUppercaseLetter && !validDigit && !validOther {
return false
}
}
return true
}

func isValidGRPCMetadataTextValue(textValue string) bool {
// Must be a valid gRPC "ASCII-Value" as defined here:
// https://github.com/grpc/grpc/blob/4b05dc88b724214d0c725c8e7442cbc7a61b1374/doc/PROTOCOL-HTTP2.md
// This means printable ASCII (including/plus spaces); 0x20 to 0x7E inclusive.
bytes := []byte(textValue) // gRPC validates strings on the byte level, not Unicode.
for _, ch := range bytes {
if ch < 0x20 || ch > 0x7E {
return false
}
}
return true
}

func annotateContext(ctx context.Context, mux *ServeMux, req *http.Request, rpcMethodName string, options ...AnnotateContextOption) (context.Context, metadata.MD, error) {
ctx = withRPCMethod(ctx, rpcMethodName)
for _, o := range options {
Expand All @@ -121,6 +154,10 @@ func annotateContext(ctx context.Context, mux *ServeMux, req *http.Request, rpcM
pairs = append(pairs, "authorization", val)
}
if h, ok := mux.incomingHeaderMatcher(key); ok {
if !isValidGRPCMetadataKey(h) {
glog.Errorf("HTTP header name %q is not valid as gRPC metadata key; skipping", h)
continue
}
// Handles "-bin" metadata in grpc, since grpc will do another base64
// encode before sending to server, we need to decode it first.
if strings.HasSuffix(key, metadataHeaderBinarySuffix) {
Expand All @@ -130,6 +167,9 @@ func annotateContext(ctx context.Context, mux *ServeMux, req *http.Request, rpcM
}

val = string(b)
} else if !isValidGRPCMetadataTextValue(val) {
glog.Errorf("Value of HTTP header %q contains non-ASCII value (not valid as gRPC metadata): skipping", h)
continue
}
pairs = append(pairs, h, val)
}
Expand Down

0 comments on commit cf612c8

Please sign in to comment.