forked from openshift/origin
-
Notifications
You must be signed in to change notification settings - Fork 1
/
basicauth.go
82 lines (67 loc) · 2.49 KB
/
basicauth.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 basicauthrequest
import (
"encoding/base64"
"errors"
"net/http"
"strings"
"github.com/golang/glog"
"k8s.io/apiserver/pkg/authentication/authenticator"
"k8s.io/apiserver/pkg/authentication/user"
"github.com/openshift/origin/pkg/oauthserver/prometheus"
)
type basicAuthRequestHandler struct {
provider string
passwordAuthenticator authenticator.Password
removeHeader bool
}
func NewBasicAuthAuthentication(provider string, passwordAuthenticator authenticator.Password, removeHeader bool) authenticator.Request {
return &basicAuthRequestHandler{provider, passwordAuthenticator, removeHeader}
}
func (authHandler *basicAuthRequestHandler) AuthenticateRequest(req *http.Request) (user.Info, bool, error) {
username, password, hasBasicAuth, err := getBasicAuthInfo(req)
if err != nil {
return nil, false, err
}
if !hasBasicAuth {
return nil, false, nil
}
var result string = metrics.SuccessResult
defer func() {
metrics.RecordBasicPasswordAuth(result)
}()
user, ok, err := authHandler.passwordAuthenticator.AuthenticatePassword(username, password)
if ok && authHandler.removeHeader {
req.Header.Del("Authorization")
}
switch {
case err != nil:
glog.Errorf(`Error authenticating login %q with provider %q: %v`, username, authHandler.provider, err)
result = metrics.ErrorResult
case !ok:
glog.V(4).Infof(`Login with provider %q failed for login %q`, authHandler.provider, username)
result = metrics.FailResult
case ok:
glog.V(4).Infof(`Login with provider %q succeeded for login %q: %#v`, authHandler.provider, username, user)
}
return user, ok, err
}
// getBasicAuthInfo returns the username and password in the request's basic-auth Authorization header,
// a boolean indicating whether the request had a valid basic-auth header, and any error encountered
// attempting to extract the basic-auth data.
func getBasicAuthInfo(r *http.Request) (string, string, bool, error) {
// Retrieve the Authorization header and check whether it contains basic auth information
const basicScheme string = "Basic "
auth := r.Header.Get("Authorization")
if !strings.HasPrefix(auth, basicScheme) {
return "", "", false, nil
}
str, err := base64.StdEncoding.DecodeString(auth[len(basicScheme):])
if err != nil {
return "", "", false, errors.New("No valid base64 data in basic auth scheme found")
}
cred := strings.SplitN(string(str), ":", 2)
if len(cred) < 2 {
return "", "", false, errors.New("Invalid Authorization header")
}
return cred[0], cred[1], true, nil
}