-
Notifications
You must be signed in to change notification settings - Fork 3
/
middleware.go
80 lines (65 loc) · 2.09 KB
/
middleware.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
package passkey
import (
"context"
"net/http"
"net/url"
"time"
)
// Auth implements a middleware handler for adding passkey http auth to a route.
// It checks if the request has a valid session cookie and if the session is still valid.
// If the session is valid:
// - `UserID` will be added to the request context;
// - `onSuccess` handler is called and the next handler is executed.
//
// Otherwise:
// - `onFail` handler is called and the next handler is not executed.
func (p *Passkey) Auth(userIDKey string, onSuccess, onFail http.HandlerFunc) func(next http.Handler) http.Handler {
return func(next http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
sid, err := r.Cookie(p.cookieSettings.Name)
if err != nil {
exec(onFail, w, r)
return
}
session, ok := p.sessionStore.GetSession(sid.Value)
if !ok {
exec(onFail, w, r)
return
}
if session.Expires.Before(time.Now()) {
exec(onFail, w, r)
return
}
ctx := r.Context()
ctx = context.WithValue(ctx, userIDKey, string(session.UserID))
r = r.WithContext(ctx)
exec(onSuccess, w, r)
next.ServeHTTP(w, r)
})
}
}
func exec(handlerFunc http.HandlerFunc, w http.ResponseWriter, r *http.Request) {
if handlerFunc != nil {
handlerFunc(w, r)
}
}
// Unauthorized writes a 401 Unauthorized status code to the response.
func Unauthorized(w http.ResponseWriter, _ *http.Request) {
w.WriteHeader(http.StatusUnauthorized)
}
// RedirectUnauthorized redirects the user to the target URL with a 401 Unauthorized status code.
func RedirectUnauthorized(target url.URL) http.HandlerFunc {
return func(w http.ResponseWriter, r *http.Request) {
http.Redirect(w, r, target.String(), http.StatusSeeOther)
}
}
// UserFromContext returns the user ID from the request context. If the userID is not found, it returns an empty string.
func UserFromContext(ctx context.Context, pkUserKey string) (string, bool) {
if ctx.Value(pkUserKey) == nil {
return "", false
}
if id, ok := ctx.Value(pkUserKey).(string); ok && id != "" {
return id, true
}
return "", false
}