forked from andela/gin-cors
-
Notifications
You must be signed in to change notification settings - Fork 0
/
cors.go
278 lines (227 loc) · 7.92 KB
/
cors.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
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
/*
This code implements the flow chart that can be found here.
http://www.html5rocks.com/static/images/cors_server_flowchart.png
A Default Config for example is below:
cors.Config{
Origins: "*",
Methods: "GET, PUT, POST, DELETE",
RequestHeaders: "Origin, Authorization, Content-Type",
ExposedHeaders: "",
MaxAge: 1 * time.Minute,
Credentials: true,
ValidateHeaders: false,
}
*/
package cors
import (
"fmt"
"regexp"
"strings"
"time"
"github.com/gin-gonic/gin"
)
const (
AllowOriginKey = "Access-Control-Allow-Origin"
AllowCredentialsKey = "Access-Control-Allow-Credentials"
AllowHeadersKey = "Access-Control-Allow-Headers"
AllowMethodsKey = "Access-Control-Allow-Methods"
MaxAgeKey = "Access-Control-Max-Age"
RequestPrivateNetworkKey = "Access-Control-Request-Private-Network"
OriginKey = "Origin"
RequestMethodKey = "Access-Control-Request-Method"
RequestHeadersKey = "Access-Control-Request-Headers"
ExposeHeadersKey = "Access-Control-Expose-Headers"
)
const (
optionsMethod = "OPTIONS"
)
/*
Config defines the configuration options available to control how the CORS middleware should function.
*/
type Config struct {
// Enabling this causes us to compare Request-Method and Request-Headers to confirm they contain a subset of the Allowed Methods and Allowed Headers
// The spec however allows for the server to always match, and simply return the allowed methods and headers. Either is supported in this middleware.
ValidateHeaders bool
// Comma delimited list of origin domains. Wildcard "*" is also allowed, and matches all origins.
// If the origin does not match an item in the list, then the request is denied.
Origins string
origins []*regexp.Regexp
// This are the headers that the resource supports, and will accept in the request.
// Default is "Authorization".
RequestHeaders string
requestHeaders []string
// These are headers that should be accessable by the CORS client, they are in addition to those defined by the spec as "simple response headers"
// Cache-Control
// Content-Language
// Content-Type
// Expires
// Last-Modified
// Pragma
ExposedHeaders string
// Comma delimited list of acceptable HTTP methods.
Methods string
methods []string
// The amount of time in seconds that the client should cache the Preflight request
MaxAge time.Duration
maxAge string
// If true, then cookies and Authorization headers are allowed along with the request. This
// is passed to the browser, but is not enforced.
Credentials bool
credentials string
// If true, requests to private IP addresses are allowed as per Private Network Access.
RequestPrivateNetwork bool
requestPrivateNetwork string
}
// One time, do the conversion from our the public facing Configuration,
// to all the formats we use internally strings for headers.. slices for looping
func (config *Config) prepare() {
originStr := strings.Replace(config.Origins, "*", "[^/?#]+", -1)
// Escape all occurrences of . since . is a special character in regexp
originStr = strings.Replace(originStr, ".", `\.`, -1)
origins := strings.Split(originStr, ", ")
for _, origin := range origins {
config.origins = append(config.origins, regexp.MustCompile("^"+origin+"$"))
}
config.methods = strings.Split(config.Methods, ", ")
config.requestHeaders = strings.Split(config.RequestHeaders, ", ")
config.maxAge = fmt.Sprintf("%.f", config.MaxAge.Seconds())
// Generates a boolean of value "true".
config.credentials = fmt.Sprintf("%t", config.Credentials)
config.requestPrivateNetwork = fmt.Sprintf("%t", config.RequestPrivateNetwork)
// Convert to lower-case once as request headers are supposed to be a case-insensitive match
for idx, header := range config.requestHeaders {
config.requestHeaders[idx] = strings.ToLower(header)
}
}
/*
Middleware generates a middleware handler function that works inside of a Gin request
to set the correct CORS headers. It accepts a cors.Options struct for configuration.
*/
func Middleware(config Config) gin.HandlerFunc {
forceOriginMatch := false
if config.Origins == "" {
panic("You must set at least a single valid origin. If you don't want CORS, to apply, simply remove the middleware.")
}
if config.Origins == "*" {
forceOriginMatch = true
}
config.prepare()
// Create the Middleware function
return func(context *gin.Context) {
// Read the Origin header from the HTTP request
currentOrigin := context.Request.Header.Get(OriginKey)
context.Writer.Header().Add("Vary", OriginKey)
// CORS headers are added whenever the browser request includes an "Origin" header
// However, if no Origin is supplied, they should never be added.
if currentOrigin == "" {
return
}
originMatch := false
if !forceOriginMatch {
originMatch = matchOrigin(currentOrigin, config)
}
if forceOriginMatch || originMatch {
valid := false
preflight := false
if context.Request.Method == optionsMethod {
requestMethod := context.Request.Header.Get(RequestMethodKey)
if requestMethod != "" {
preflight = true
valid = handlePreflight(context, config, requestMethod)
}
}
if !preflight {
valid = handleRequest(context, config)
}
if valid {
if config.Credentials {
context.Writer.Header().Set(AllowCredentialsKey, config.credentials)
// Allowed origins cannot be the string "*" cannot be used for a resource that supports credentials.
context.Writer.Header().Set(AllowOriginKey, currentOrigin)
} else if forceOriginMatch {
context.Writer.Header().Set(AllowOriginKey, "*")
} else {
context.Writer.Header().Set(AllowOriginKey, currentOrigin)
}
//If this is a preflight request, we are finished, quit.
//Otherwise this is a normal request and operations should proceed at normal
if preflight {
context.AbortWithStatus(200)
}
return
}
}
//If it reaches here, it was not a valid request
context.Abort()
}
}
func handlePreflight(context *gin.Context, config Config, requestMethod string) bool {
if ok := validateRequestMethod(requestMethod, config); ok == false {
return false
}
if ok := validateRequestHeaders(context.Request.Header.Get(RequestHeadersKey), config); ok == true {
context.Writer.Header().Set(AllowMethodsKey, config.Methods)
context.Writer.Header().Set(AllowHeadersKey, config.RequestHeaders)
if ok := validatePrivateNetworkHeader(context.Request.Header.Get(RequestPrivateNetworkKey), config); ok == true {
context.Writer.Header().Set(RequestPrivateNetworkKey, config.requestPrivateNetwork)
}
if config.maxAge != "0" {
context.Writer.Header().Set(MaxAgeKey, config.maxAge)
}
return true
}
return false
}
func handleRequest(context *gin.Context, config Config) bool {
if config.ExposedHeaders != "" {
context.Writer.Header().Set(ExposeHeadersKey, config.ExposedHeaders)
}
return true
}
// Case-sensitive match of origin header
func matchOrigin(origin string, config Config) bool {
for _, value := range config.origins {
if value.MatchString(origin) {
return true
}
}
return false
}
// Case-sensitive match of request method
func validateRequestMethod(requestMethod string, config Config) bool {
if !config.ValidateHeaders {
return true
}
if requestMethod != "" {
for _, value := range config.methods {
if value == requestMethod {
return true
}
}
}
return false
}
// Case-insensitive match of request headers
func validateRequestHeaders(requestHeaders string, config Config) bool {
if !config.ValidateHeaders {
return true
}
headers := strings.Split(requestHeaders, ",")
for _, header := range headers {
match := false
header = strings.ToLower(strings.Trim(header, " \t\r\n"))
for _, value := range config.requestHeaders {
if value == header {
match = true
break
}
}
if !match {
return false
}
}
return true
}
func validatePrivateNetworkHeader(requestHeader string, config Config) bool {
return requestHeader == "true" && config.RequestPrivateNetwork
}