-
-
Notifications
You must be signed in to change notification settings - Fork 15
/
main.go
151 lines (126 loc) · 4.23 KB
/
main.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
// Copyright 2020 Jorge Luis Betancourt <github@jorgelbg.me>
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// https://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package main
import (
"context"
"fmt"
"log"
"net/http"
"net/http/httputil"
"strings"
"github.com/coreos/go-oidc"
"github.com/kelseyhightower/envconfig"
)
const (
// CFJWTHeader is the header key set by Cloudflare Access after a successful authentication
CFJWTHeader = "Cf-Access-Jwt-Assertion"
)
// CloudflareClaim holds the claims about the End-User/Authentication event.
type CloudflareClaim struct {
Email string `json:"email"`
Type string `json:"type"`
}
// Config is the general configuration (read from environment variables)
type Config struct {
AuthDomain string
PolicyAUD string
ForwardHeader string
ForwardHost string
ListenAddr string `envconfig:"ADDR"`
}
// Dummy struct for k8s health checks
type k8sDummyResponse struct {
rsp string
}
// This method makes every k8sDummyResponse a net.http.Handler
func (check *k8sDummyResponse) ServeHTTP(w http.ResponseWriter, req *http.Request) {
fmt.Fprintf(w, check.rsp)
}
var (
ctx = context.Background()
)
// VerifyToken is a middleware to verify a CF Access token
func VerifyToken(next http.Handler, tokenVerifier *oidc.IDTokenVerifier, cfg *Config) http.Handler {
fn := func(w http.ResponseWriter, r *http.Request) {
headers := r.Header
// Make sure that the incoming request has our token header
// Could also look in the cookies for CF_AUTHORIZATION
accessJWT := headers.Get(CFJWTHeader)
if accessJWT == "" {
w.WriteHeader(http.StatusUnauthorized)
w.Write([]byte("No token on the request")) //nolint: errcheck
return
}
// Verify the access token
ctx := r.Context()
token, err := tokenVerifier.Verify(ctx, accessJWT)
if err != nil {
w.WriteHeader(http.StatusUnauthorized)
w.Write([]byte(fmt.Sprintf("Invalid token: %s", err.Error()))) //nolint: errcheck
return
}
// Extract custom claims
var claims CloudflareClaim
if err := token.Claims(&claims); err != nil {
w.WriteHeader(http.StatusUnauthorized)
w.Write([]byte(fmt.Sprintf("Invalid claims in token: %s", err.Error()))) //nolint: errcheck
}
// set the authentication forward header before proxying the request
r.Header.Add(cfg.ForwardHeader, claims.Email)
log.Printf("Authenticated as: %s", claims.Email)
next.ServeHTTP(w, r)
}
return http.HandlerFunc(fn)
}
func main() {
var cfg Config
err := envconfig.Process("", &cfg)
if err != nil {
log.Fatal(err.Error())
}
var (
certsURL = fmt.Sprintf("%s/cdn-cgi/access/certs", cfg.AuthDomain)
config = &oidc.Config{
ClientID: cfg.PolicyAUD,
}
keySet = oidc.NewRemoteKeySet(ctx, certsURL)
verifier = oidc.NewVerifier(cfg.AuthDomain, keySet, config)
)
director := func(req *http.Request) {
req.Header.Add("X-Forwarded-Host", req.Host)
req.Header.Add("X-Origin-Host", "cloudflare-access-proxy")
// TODO: should we trust on the Schema of the original request?
req.URL.Scheme = "http"
if len(strings.TrimSpace(cfg.ForwardHost)) > 0 {
req.URL.Host = cfg.ForwardHost
}
}
proxy := &httputil.ReverseProxy{Director: director}
// Creating dummy responses for k8s checks
// ref: https://kubernetes.io/docs/reference/using-api/health-checks/
dummyResponse := &k8sDummyResponse{
rsp: "ok",
}
http.Handle("/healthz", dummyResponse)
http.Handle("/livez", dummyResponse)
http.Handle("/readyz", dummyResponse)
// Handle all other requests to cloudflare proxy
http.Handle("/", VerifyToken(http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
proxy.ServeHTTP(w, r)
}), verifier, &cfg))
log.Printf("Listening on %s", cfg.ListenAddr)
if err := http.ListenAndServe(cfg.ListenAddr, nil); err != nil {
log.Fatalf("Unable to start server on [%s], error: %s", cfg.ListenAddr, err.Error())
}
}