forked from rancher/rancher
-
Notifications
You must be signed in to change notification settings - Fork 1
/
proxy.go
197 lines (167 loc) · 4.68 KB
/
proxy.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
package httpproxy
import (
"fmt"
"net/http"
"net/http/httputil"
"net/url"
"regexp"
"strings"
v1 "github.com/rancher/types/apis/core/v1"
"github.com/rancher/types/config"
"github.com/sirupsen/logrus"
)
const (
ForwardProto = "X-Forwarded-Proto"
APIAuth = "X-API-Auth-Header"
CattleAuth = "X-API-CattleAuth-Header"
AuthHeader = "Authorization"
SetCookie = "Set-Cookie"
Cookie = "Cookie"
APISetCookie = "X-Api-Set-Cookie-Header"
APICookie = "X-Api-Cookie-Header"
hostRegex = "[A-Za-z0-9-]+"
CSP = "Content-Security-Policy"
XContentType = "X-Content-Type-Options"
)
var (
httpStart = regexp.MustCompile("^http:/([^/])")
httpsStart = regexp.MustCompile("^https:/([^/])")
badHeaders = map[string]bool{
"host": true,
"transfer-encoding": true,
"content-length": true,
"x-api-auth-header": true,
"x-api-cattleauth-header": true,
"cf-connecting-ip": true,
"cf-ray": true,
"impersonate-user": true,
"impersonate-group": true,
}
)
type Supplier func() []string
type proxy struct {
prefix string
validHostsSupplier Supplier
credentials v1.SecretInterface
}
func (p *proxy) isAllowed(host string) bool {
for _, valid := range p.validHostsSupplier() {
if valid == host {
return true
}
if strings.HasPrefix(valid, "*") && strings.HasSuffix(host, valid[1:]) {
return true
}
if strings.Contains(valid, ".%.") || strings.HasPrefix(valid, "%.") {
r := constructRegex(valid)
if match := r.MatchString(host); match {
return true
}
}
}
return false
}
func NewProxy(prefix string, validHosts Supplier, scaledContext *config.ScaledContext) http.Handler {
p := proxy{
prefix: prefix,
validHostsSupplier: validHosts,
credentials: scaledContext.Core.Secrets(""),
}
return &httputil.ReverseProxy{
Director: func(req *http.Request) {
if err := p.proxy(req); err != nil {
logrus.Infof("Failed to proxy: %v", err)
}
},
ModifyResponse: setModifiedHeaders,
}
}
func setModifiedHeaders(res *http.Response) error {
// replace set cookies
res.Header.Del(APISetCookie)
// There may be multiple set cookies
for _, setCookie := range res.Header[SetCookie] {
res.Header.Add(APISetCookie, setCookie)
}
res.Header.Del(SetCookie)
// add security headers (similar to raw.githubusercontent)
res.Header.Set(CSP, "default-src 'none'; style-src 'unsafe-inline'; sandbox")
res.Header.Set(XContentType, "nosniff")
return nil
}
func (p *proxy) proxy(req *http.Request) error {
path := req.URL.String()
index := strings.Index(path, p.prefix)
destPath := path[index+len(p.prefix):]
if httpsStart.MatchString(destPath) {
destPath = httpsStart.ReplaceAllString(destPath, "https://$1")
} else if httpStart.MatchString(destPath) {
destPath = httpStart.ReplaceAllString(destPath, "http://$1")
} else {
destPath = "https://" + destPath
}
destURL, err := url.Parse(destPath)
if err != nil {
return err
}
destURL.RawQuery = req.URL.RawQuery
destURLHostname := destURL.Hostname()
if !p.isAllowed(destURLHostname) {
return fmt.Errorf("invalid host: %v", destURLHostname)
}
headerCopy := http.Header{}
if req.TLS != nil {
headerCopy.Set(ForwardProto, "https")
}
auth := req.Header.Get(APIAuth)
cAuth := req.Header.Get(CattleAuth)
for name, value := range req.Header {
if badHeaders[strings.ToLower(name)] {
continue
}
copy := make([]string, len(value))
for i := range value {
copy[i] = strings.TrimPrefix(value[i], "rancher:")
}
headerCopy[name] = copy
}
req.Host = destURLHostname
req.URL = destURL
req.Header = headerCopy
if auth != "" { // non-empty AuthHeader is noop
req.Header.Set(AuthHeader, auth)
} else if cAuth != "" {
// setting CattleAuthHeader will replace credential id with secret data
// and generate signature
signer := newSigner(cAuth)
if signer != nil {
return signer.sign(req, p.credentials, cAuth)
}
req.Header.Set(AuthHeader, cAuth)
}
replaceCookies(req)
return nil
}
func replaceCookies(req *http.Request) {
// Do not forward rancher cookies to third parties
req.Header.Del(Cookie)
// Allow client to use their own cookies with Cookie header
if cookie := req.Header.Get(APICookie); cookie != "" {
req.Header.Set(Cookie, cookie)
req.Header.Del(APICookie)
}
}
func constructRegex(host string) *regexp.Regexp {
// incoming host "ec2.%.amazonaws.com"
// Converted to regex "^ec2\.[A-Za-z0-9-]+\.amazonaws\.com$"
parts := strings.Split(host, ".")
for i, part := range parts {
if part == "%" {
parts[i] = hostRegex
} else {
parts[i] = regexp.QuoteMeta(part)
}
}
str := "^" + strings.Join(parts, "\\.") + "$"
return regexp.MustCompile(str)
}