1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
|
// MuxHandler wraps a request handler into a MuxHandler. The MuxHandler initializes the request
// context by loading the request state, invokes the handler and in case of error invokes the
// controller (if there is one) or Service error handler.
// This function is intended for the controller generated code. User code should not need to call
// it directly.
func (ctrl *Controller) MuxHandler(name string, hdlr Handler, unm Unmarshaler) MuxHandler {
// Use closure to enable late computation of handlers to ensure all middleware has been
// registered.
var handler Handler
return func(rw http.ResponseWriter, req *http.Request, params url.Values) {
// Build handler middleware chains on first invocation
if handler == nil {
handler = func(ctx context.Context, rw http.ResponseWriter, req *http.Request) error {
if !ContextResponse(ctx).Written() {
return hdlr(ctx, rw, req)
}
return nil
}
chain := append(ctrl.Service.middleware, ctrl.middleware...)
ml := len(chain)
for i := range chain {
handler = chain[ml-i-1](handler)
}
}
// Build context
ctx := NewContext(WithAction(ctrl.Context, name), rw, req, params)
// Protect against request bodies with unreasonable length
if ctrl.MaxRequestBodyLength > 0 {
req.Body = http.MaxBytesReader(rw, req.Body, ctrl.MaxRequestBodyLength)
}
// Load body if any
if req.ContentLength > 0 && unm != nil {
if err := unm(ctx, ctrl.Service, req); err != nil {
if err.Error() == "http: request body too large" {
msg := fmt.Sprintf("request body length exceeds %d bytes", ctrl.MaxRequestBodyLength)
err = ErrRequestBodyTooLarge(msg)
} else {
err = ErrBadRequest(err)
}
ctx = WithError(ctx, err)
}
}
// Invoke handler
if err := handler(ctx, ContextResponse(ctx), req); err != nil {
LogError(ctx, "uncaught error", "err", err)
respBody := fmt.Sprintf("Internal error: %s", err) // Sprintf catches panics
ctrl.Service.Send(ctx, 500, respBody)
}
}
}
|