-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmain.go
191 lines (168 loc) · 5.02 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
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
package main
import (
"crypto/rand"
"crypto/sha256"
"encoding/hex"
"flag"
"math/big"
"net/http"
"strings"
"sync"
"time"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promauto"
"github.com/prometheus/client_golang/prometheus/promhttp"
log "github.com/sirupsen/logrus"
)
var (
listen = flag.String("l", ":8080", "API listen address")
metricsListen = flag.String("m", ":8081", "metrics listen address")
tokenValidityDuration = flag.Int("t", 60, "token validity duration in minutes")
tokenValidationWait = flag.Int("w", 60, "how long to wait for a token to be validated before deleting it in seconds")
verbose = flag.Bool("v", false, "enable verbose logging")
)
var (
metricIssuedTokens = promauto.NewGauge(prometheus.GaugeOpts{
Name: "httpgate_issued_tokens",
Help: "Issued HTTPGate tokens",
})
metricValidatedTokens = promauto.NewGauge(prometheus.GaugeOpts{
Name: "httpgate_validated_tokens",
Help: "Validated HTTPGate tokens",
})
)
type cacheEntry struct {
created time.Time // Time of creation
validated bool // Has this hash been validated by a client?
}
var (
cache = make(map[string]*cacheEntry) // server hash to expiration timestamp
cacheMutex sync.RWMutex
)
const hexLetters = "0123456789abcdef"
// randomString returns a securely generated random string of specified length
func randomString(length int) (string, error) {
ret := make([]byte, length)
for i := 0; i < length; i++ {
num, err := rand.Int(rand.Reader, big.NewInt(int64(len(hexLetters))))
if err != nil {
return "", err
}
ret[i] = hexLetters[num.Int64()]
}
return string(ret), nil
}
// validate checks that a client provided token matches the given server hash
func validate(token, hash string) bool {
cacheMutex.RLock()
entry, found := cache[hash]
cacheMutex.RUnlock()
if !found {
return false
}
entry.validated = true
// Check if server hash is expired
if time.Now().After(entry.created.Add(time.Duration(*tokenValidityDuration) * time.Minute)) {
log.Debugf("Server hash %s expired, removing from cache", hash)
cacheMutex.Lock()
delete(cache, hash)
cacheMutex.Unlock()
return false
}
return strings.HasSuffix(sha256hash(hash+token), "0000")
}
func sha256hash(s string) string {
fullHash := sha256.Sum256([]byte(s))
return hex.EncodeToString(fullHash[:])
}
func main() {
flag.Parse()
if *verbose {
log.SetLevel(log.DebugLevel)
}
// Purge cache of unvalidated entries
purgeTicker := time.NewTicker(time.Second * time.Duration(*tokenValidationWait/2))
go func() {
for range purgeTicker.C {
// Clone cache
cacheMutex.RLock()
cacheCopy := make(map[string]*cacheEntry)
for k, v := range cache {
cacheCopy[k] = v
}
cacheMutex.RUnlock()
for hash, entry := range cacheCopy {
if !entry.validated && time.Now().After(entry.created.Add(time.Duration(*tokenValidationWait)*time.Second)) {
log.Debugf("Purging expired server hash %s", hash)
cacheMutex.Lock()
delete(cache, hash)
cacheMutex.Unlock()
}
}
}
}()
metricUpdateTicker := time.NewTicker(10 * time.Second)
go func() {
for range metricUpdateTicker.C {
cacheMutex.RLock()
metricIssuedTokens.Set(float64(len(cache)))
validated := 0
for _, token := range cache {
if token.validated {
validated++
}
}
cacheMutex.RUnlock()
metricValidatedTokens.Set(float64(validated))
}
}()
// /validate?hash=<hash>&token=<token> to validate a token
http.HandleFunc("/validate", func(w http.ResponseWriter, r *http.Request) {
hash := r.URL.Query().Get("hash")
token := r.URL.Query().Get("token")
w.Header().Set("Content-Type", "text/plain")
if validate(token, hash) {
log.Debugf("Valid token %s for hash %s", token, hash)
w.WriteHeader(http.StatusOK)
_, _ = w.Write([]byte("OK"))
} else {
log.Debugf("Invalid token %s for hash %s", token, hash)
w.WriteHeader(http.StatusUnauthorized)
}
})
// /new to request a new token
http.HandleFunc("/new", func(w http.ResponseWriter, r *http.Request) {
newHash, err := randomString(32)
if err != nil {
log.Println(err)
w.WriteHeader(http.StatusInternalServerError)
_, _ = w.Write([]byte("Error"))
return
}
cacheMutex.Lock()
cache[newHash] = &cacheEntry{
created: time.Now(),
validated: false,
}
cacheMutex.Unlock()
log.Debugf("Generated new hash %s", newHash)
_, _ = w.Write([]byte(newHash))
})
http.HandleFunc("/invalidate", func(w http.ResponseWriter, r *http.Request) {
log.Debug("Invalidating all hashes")
cacheMutex.Lock()
cache = make(map[string]*cacheEntry)
cacheMutex.Unlock()
w.WriteHeader(http.StatusOK)
_, _ = w.Write([]byte("OK"))
})
// Metrics server
metricsMux := http.NewServeMux()
metricsMux.Handle("/metrics", promhttp.Handler())
log.Infof("Starting metrics exporter on http://%s/metrics", *metricsListen)
go func() {
log.Fatal(http.ListenAndServe(*metricsListen, metricsMux))
}()
log.Printf("Starting httpgate token broker on %s", *listen)
log.Fatal(http.ListenAndServe(*listen, nil))
}