forked from rancher/rancher
-
Notifications
You must be signed in to change notification settings - Fork 0
/
proxy.go
118 lines (95 loc) · 2.25 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
package httpproxy
import (
"fmt"
"net/http"
"net/http/httputil"
"net/url"
"regexp"
"strings"
"github.com/sirupsen/logrus"
)
const (
ForwardProto = "X-Forwarded-Proto"
APIAuth = "X-API-Auth-Header"
)
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,
}
)
type Supplier func() []string
type proxy struct {
prefix string
validHostsSupplier Supplier
}
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
}
}
return false
}
func NewProxy(prefix string, validHosts Supplier) http.Handler {
p := proxy{
prefix: prefix,
validHostsSupplier: validHosts,
}
return &httputil.ReverseProxy{
Director: func(req *http.Request) {
if err := p.proxy(req); err != nil {
logrus.Infof("Failed to proxy %v: %v", req, err)
}
},
}
}
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
if !p.isAllowed(destURL.Host) {
return fmt.Errorf("invalid host: %v", destURL.Host)
}
headerCopy := http.Header{}
if req.TLS != nil {
headerCopy.Set(ForwardProto, "https")
}
auth := req.Header.Get(APIAuth)
if auth != "" {
headerCopy.Set("Authorization", auth)
}
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 = destURL.Hostname()
req.URL = destURL
req.Header = headerCopy
return nil
}