-
-
Notifications
You must be signed in to change notification settings - Fork 221
/
middleware.go
172 lines (146 loc) · 5.06 KB
/
middleware.go
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
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
// Copyright 2022 Juan Pablo Tosso and the OWASP Coraza contributors
// SPDX-License-Identifier: Apache-2.0
// tinygo does not support net.http so this package is not needed for it
//go:build !tinygo
// +build !tinygo
package http
import (
"fmt"
"io"
"net/http"
"strconv"
"strings"
"github.com/corazawaf/coraza/v3"
"github.com/corazawaf/coraza/v3/experimental"
"github.com/corazawaf/coraza/v3/types"
)
// processRequest fills all transaction variables from an http.Request object
// Most implementations of Coraza will probably use http.Request objects
// so this will implement all phase 0, 1 and 2 variables
// Note: This function will stop after an interruption
// Note: Do not manually fill any request variables
func processRequest(tx types.Transaction, req *http.Request) (*types.Interruption, error) {
var (
client string
cport int
)
// IMPORTANT: Some http.Request.RemoteAddr implementations will not contain port or contain IPV6: [2001:db8::1]:8080
idx := strings.LastIndexByte(req.RemoteAddr, ':')
if idx != -1 {
client = req.RemoteAddr[:idx]
cport, _ = strconv.Atoi(req.RemoteAddr[idx+1:])
}
var in *types.Interruption
// There is no socket access in the request object, so we neither know the server client nor port.
tx.ProcessConnection(client, cport, "", 0)
tx.ProcessURI(req.URL.String(), req.Method, req.Proto)
for k, vr := range req.Header {
for _, v := range vr {
tx.AddRequestHeader(k, v)
}
}
// Host will always be removed from req.Headers() and promoted to the
// Request.Host field, so we manually add it
if req.Host != "" {
tx.AddRequestHeader("Host", req.Host)
// This connector relies on the host header (now host field) to populate ServerName
tx.SetServerName(req.Host)
}
// Transfer-Encoding header is removed by go/http
// We manually add it to make rules relying on it work (E.g. CRS rule 920171)
if req.TransferEncoding != nil {
tx.AddRequestHeader("Transfer-Encoding", req.TransferEncoding[0])
}
in = tx.ProcessRequestHeaders()
if in != nil {
return in, nil
}
if tx.IsRequestBodyAccessible() {
// We only do body buffering if the transaction requires request
// body inspection, otherwise we just let the request follow its
// regular flow.
if req.Body != nil && req.Body != http.NoBody {
it, _, err := tx.ReadRequestBodyFrom(req.Body)
if err != nil {
return nil, fmt.Errorf("failed to append request body: %s", err.Error())
}
if it != nil {
return it, nil
}
rbr, err := tx.RequestBodyReader()
if err != nil {
return nil, fmt.Errorf("failed to get the request body: %s", err.Error())
}
// Adds all remaining bytes beyond the coraza limit to its buffer
// It happens when the partial body has been processed and it did not trigger an interruption
bodyReader := io.MultiReader(rbr, req.Body)
// req.Body is transparently reinizialied with a new io.ReadCloser.
// The http handler will be able to read it.
req.Body = io.NopCloser(bodyReader)
}
}
return tx.ProcessRequestBody()
}
func WrapHandler(waf coraza.WAF, h http.Handler) http.Handler {
if waf == nil {
return h
}
newTX := func(*http.Request) types.Transaction {
return waf.NewTransaction()
}
if ctxwaf, ok := waf.(experimental.WAFWithOptions); ok {
newTX = func(r *http.Request) types.Transaction {
return ctxwaf.NewTransactionWithOptions(experimental.Options{
Context: r.Context(),
})
}
}
fn := func(w http.ResponseWriter, r *http.Request) {
tx := newTX(r)
defer func() {
// We run phase 5 rules and create audit logs (if enabled)
tx.ProcessLogging()
// we remove temporary files and free some memory
if err := tx.Close(); err != nil {
tx.DebugLogger().Error().Err(err).Msg("Failed to close the transaction")
}
}()
// Early return, Coraza is not going to process any rule
if tx.IsRuleEngineOff() {
// response writer is not going to be wrapped, but used as-is
// to generate the response
h.ServeHTTP(w, r)
return
}
// ProcessRequest is just a wrapper around ProcessConnection, ProcessURI,
// ProcessRequestHeaders and ProcessRequestBody.
// It fails if any of these functions returns an error and it stops on interruption.
if it, err := processRequest(tx, r); err != nil {
tx.DebugLogger().Error().Err(err).Msg("Failed to process request")
return
} else if it != nil {
w.WriteHeader(obtainStatusCodeFromInterruptionOrDefault(it, http.StatusOK))
return
}
ww, processResponse := wrap(w, r, tx)
// We continue with the other middlewares by catching the response
h.ServeHTTP(ww, r)
if err := processResponse(tx, r); err != nil {
tx.DebugLogger().Error().Err(err).Msg("Failed to close the response")
return
}
}
return http.HandlerFunc(fn)
}
// obtainStatusCodeFromInterruptionOrDefault returns the desired status code derived from the interruption
// on a "deny" action or a default value.
func obtainStatusCodeFromInterruptionOrDefault(it *types.Interruption, defaultStatusCode int) int {
if it.Action == "deny" {
statusCode := it.Status
if statusCode == 0 {
statusCode = 403
}
return statusCode
}
return defaultStatusCode
}