-
Notifications
You must be signed in to change notification settings - Fork 0
/
middleware.go
82 lines (73 loc) · 2.64 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
81
82
package oauth
import (
"context"
"errors"
"net/http"
"strings"
"time"
)
type contextKey string
const (
CredentialContext contextKey = "oauth.credential"
ClaimsContext contextKey = "oauth.claims"
ScopeContext contextKey = "oauth.scope"
TokenTypeContext contextKey = "oauth.tokentype"
AccessTokenContext contextKey = "oauth.accesstoken"
)
// BearerAuthentication middleware for go-chi
type BearerAuthentication struct {
secretKey string
provider *TokenProvider
}
// NewBearerAuthentication create a BearerAuthentication middleware
func NewBearerAuthentication(secretKey string, formatter TokenSecureFormatter) *BearerAuthentication {
ba := &BearerAuthentication{secretKey: secretKey}
if formatter == nil {
formatter = NewSHA256RC4TokenSecurityProvider([]byte(secretKey))
}
ba.provider = NewTokenProvider(formatter)
return ba
}
// Authorize is the OAuth 2.0 middleware for go-chi resource server.
// Authorize creates a BearerAuthentication middleware and return the Authorize method.
func Authorize(secretKey string, formatter TokenSecureFormatter) func(next http.Handler) http.Handler {
return NewBearerAuthentication(secretKey, formatter).Authorize
}
// Authorize verifies the bearer token authorizing or not the request.
// Token is retrieved from the Authorization HTTP header that respects the format
// Authorization: Bearer {access_token}
func (ba *BearerAuthentication) Authorize(next http.Handler) http.Handler {
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
auth := r.Header.Get("Authorization")
token, err := ba.checkAuthorizationHeader(auth)
if err != nil {
renderJSON(w, "Not authorized: "+err.Error(), http.StatusUnauthorized)
return
}
ctx := r.Context()
ctx = context.WithValue(ctx, CredentialContext, token.Credential)
ctx = context.WithValue(ctx, ClaimsContext, token.Claims)
ctx = context.WithValue(ctx, ScopeContext, token.Scope)
ctx = context.WithValue(ctx, TokenTypeContext, token.TokenType)
ctx = context.WithValue(ctx, AccessTokenContext, auth[7:])
next.ServeHTTP(w, r.WithContext(ctx))
})
}
// Check header and token.
func (ba *BearerAuthentication) checkAuthorizationHeader(auth string) (t *Token, err error) {
if len(auth) < 7 {
return nil, errors.New("Invalid bearer authorization header")
}
authType := strings.ToLower(auth[:6])
if authType != "bearer" {
return nil, errors.New("Invalid bearer authorization header")
}
token, err := ba.provider.DecryptToken(auth[7:])
if err != nil {
return nil, errors.New("Invalid token")
}
if time.Now().UTC().After(token.CreationDate.Add(token.ExpiresIn)) {
return nil, errors.New("Token expired")
}
return token, nil
}