-
-
Notifications
You must be signed in to change notification settings - Fork 2.4k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
transport/http ServerFinalizer should accept error for better logging support #807
Comments
If you want your ServerFinalizer to act on information from the service domain (e.g. an error) you can inject that error into the context, and extract it again. |
@peterbourgon |
Yes, basically. You might look at e.g. ctxlog for an example of something like this. |
Thanks, this will work for endpoint errors. But if i want to include request decoding errors as well, i will have to inject error into context in every request decoder (we do not generate them, unfortunatelly). Probably, i will stick to logging in ErrorEncoder Still, it would be nice to have error as an argument of Finalizer. |
If your RequestDecoder returns an error, it is given directly to the ErrorEncoder. Is that not sufficient? |
Yes, it will work. But since one of the main reasons finalizer exist is logging, i really would prefer to do it there. |
package main
import (
"context"
"encoding/json"
"errors"
"fmt"
"net/http"
"net/http/httptest"
"os"
"strings"
"github.com/go-kit/kit/log"
httptx "github.com/go-kit/kit/transport/http"
)
func main() {
logger := log.NewLogfmtLogger(os.Stdout)
kitserver := httptx.NewServer(
// Endpoint, which just decides how to fail the request.
func(ctx context.Context, request interface{}) (response interface{}, err error) {
req := request.(myRequest)
if req.FailTransport {
return myResponse{}, errFailTransport
}
if req.FailService {
return myResponse{Err: errFailService, Message: "plonk"}, nil
}
return myResponse{Message: "OK"}, nil
},
// Decoder is simple.
func(ctx context.Context, r *http.Request) (request interface{}, err error) {
var req myRequest
json.NewDecoder(r.Body).Decode(&req) // error handling elided here
return req, nil
},
// Encoder, which should set service error in errorContainer, if applicable.
func(ctx context.Context, w http.ResponseWriter, response interface{}) error {
resp := response.(myResponse)
if resp.Err != nil {
getErrorContainer(ctx).service = resp.Err
w.WriteHeader(http.StatusTeapot)
}
return json.NewEncoder(w).Encode(resp)
},
// ServerBefore must inject the errorContainer to the context.
httptx.ServerBefore(func(ctx context.Context, _ *http.Request) context.Context {
return context.WithValue(ctx, errorContainerKey, &errorContainer{}) // new empty errorContainer with each request
}),
// ServerErrorEncoder must set transport error in the errorContainer.
httptx.ServerErrorEncoder(func(ctx context.Context, err error, w http.ResponseWriter) {
getErrorContainer(ctx).transport = err
w.WriteHeader(http.StatusInternalServerError)
fmt.Fprintf(w, `{"error":"%s"}\n`, err.Error()) // or whatever
}),
// ServerFinalizer consumes errorContainer.
httptx.ServerFinalizer(func(ctx context.Context, code int, r *http.Request) {
c := getErrorContainer(ctx)
logger.Log("code", code, "transport_err", c.transport, "service_err", c.service)
}),
)
stdserver := httptest.NewServer(kitserver)
http.Post(stdserver.URL, "application/json; charset=utf-8", strings.NewReader(`{}`))
http.Post(stdserver.URL, "application/json; charset=utf-8", strings.NewReader(`{"fail_transport":true}`))
http.Post(stdserver.URL, "application/json; charset=utf-8", strings.NewReader(`{"fail_service":true}`))
}
type myRequest struct {
FailTransport bool `json:"fail_transport"`
FailService bool `json:"fail_service"`
}
type myResponse struct {
Err error `json:"-"`
Message string `json:"message"`
}
var (
errFailTransport = errors.New("transport-level failure")
errFailService = errors.New("business-level failure")
)
//
//
//
type errorContainer struct {
transport error
service error
}
type errorContainerKeyType struct{}
var errorContainerKey errorContainerKeyType
func getErrorContainer(ctx context.Context) *errorContainer {
v := ctx.Value(errorContainerKey)
if v == nil {
panic("no error container set")
}
c, ok := v.(*errorContainer)
if !ok {
panic("invalid error container")
}
return c
} |
|
Thanks! This is more or less what i am trying to achieve. But, again, what is wrong with having err as an argument to finalizer? (except compatibility break) |
It would break the API, and it would be inelegant and awkward to implement, especially if you wanted to capture both service- and transport-level errors. |
I have a hard time grasping the concept of returning service errors inside response structure. Why do we need this if endpoint has explicit Regardless of whether it is a service or transport error, i would typically return the same error response from service. In the regular Go code i don't see people returning errors as part of return argument structure. |
Transport errors are discoverable by endpoint- and transport-layer middlewares, and indicate a problem with the mechanics of the request. For example, the underlying service is unavailable, or a network gateway is down. They may be counted as errors from the perspective of an e.g. circuit breaker, and eventually cause further requests to fail until the error is resolved. Service errors are not detectable by endpoint- and transport-layer middlewares, and indicate that the mechanics of the request were/are fine, but that there was a problem with the business logic. For example, a user attempted to withdraw too much money from their account. These errors don't indicate anything mechanically wrong with the service, the network, etc. and so shouldn't count toward a circuit breaker limit. Another way of thinking of it: given some request, transport errors can be automatically retried because they might go away by themselves (e.g. 502 Bad Gateway), but service errors should not be because they won't go away unless either the request or the state of the service changes (e.g. 401 Bad Request). edit: But I understand that this distinction may be more noise than signal to many developers. A future version of Go kit may eliminate it, or encode it in a different way. |
Thanks for great explanation of difference between transport and service errors. Still don't get why you prefer returning service errors inside response structure instead of using |
It is not a preference, it is a requirement. Your service should still return errors directly, e.g. type FooService interface {
Bar(int) (string, error)
} it is only the translation from service to transport layer where they get wrapped up into types, e.g. // Bar(int) (string, error)
// ^^^ ^^^^^^^^^^^^^
// req resp
type BarRequest struct {
I int
}
type BarResponse struct {
S string
Err error
} Go kit leverages the RPC abstraction to provide most of its value add, and (due to Go's poor type system) we are forced to codify all RPC as type Endpoint func(ctx context.Context, request interface{}) (response interface{}, err error) To lift the service error into the endpoint error would mean exploding the response type, e.g. type BarResponse struct {
S string
}
func makeBarEndpoint(f Foo) endpoint.Endpoint {
return func(_ context.Context, request interface{}) (response interface{}, err error) {
req := request.(BarRequest)
s, err := f.Bar(req.I)
return BarResponse{S: s}, err
}
} Would that have been better? I don't know. Maybe. I find it harder to mentally model, but I understand you find it easier. It's just an engineering decision that was made early in the life of the project. Hopefully, with generics, we will be able to make better decisions in the future. |
We have three systems where logs are sent: our internal ELK stack, NewRelic and Airbrake.
Some of our endpoints send errors to all of this systems, some endpoints send errors to only one of it.
We want log entries to have both error message and http status code. And also some http request context (uri, method, user-agent, ip...)
The only place which has access to both error and http status is ServerErrorEncoder.
But since different endpoints need different sets of log outputs, we would have to create multiple error encoders just for sake of logging. Also, ServerErrorEncoder is not a good place for logging, because we would like it to do only one job - encode errors.
ServerFinalizer seems to be a great place to send logs, but there is no access to actual error message.
The text was updated successfully, but these errors were encountered: