-
Notifications
You must be signed in to change notification settings - Fork 0
/
login.go
255 lines (220 loc) · 6.76 KB
/
login.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
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
package login
import (
"bytes"
"errors"
"fmt"
"html/template"
"net/http"
"strings"
"github.com/golang/glog"
utilruntime "k8s.io/kubernetes/pkg/util/runtime"
"github.com/openshift/origin/pkg/auth/authenticator"
"github.com/openshift/origin/pkg/auth/oauth/handlers"
"github.com/openshift/origin/pkg/auth/server/csrf"
"github.com/openshift/origin/pkg/auth/server/errorpage"
)
const (
thenParam = "then"
csrfParam = "csrf"
usernameParam = "username"
passwordParam = "password"
// these can be used by custom templates, and should not be changed
// these error codes are specific to the login flow.
// general authentication error codes are found in the errorpage package
errorCodeUserRequired = "user_required"
errorCodeTokenExpired = "token_expired"
errorCodeAccessDenied = "access_denied"
)
// Error messages that correlate to the error codes above.
// General authentication error messages are found in the error page package
var errorMessages = map[string]string{
errorCodeUserRequired: "Login is required. Please try again.",
errorCodeTokenExpired: "Could not check CSRF token. Please try again.",
errorCodeAccessDenied: "Invalid login or password. Please try again.",
}
type PasswordAuthenticator interface {
authenticator.Password
handlers.AuthenticationSuccessHandler
}
type LoginFormRenderer interface {
Render(form LoginForm, w http.ResponseWriter, req *http.Request)
}
type LoginForm struct {
ProviderName string
Action string
Error string
ErrorCode string
Names LoginFormFields
Values LoginFormFields
}
type LoginFormFields struct {
Then string
CSRF string
Username string
Password string
}
type Login struct {
provider string
csrf csrf.CSRF
auth PasswordAuthenticator
render LoginFormRenderer
}
func NewLogin(provider string, csrf csrf.CSRF, auth PasswordAuthenticator, render LoginFormRenderer) *Login {
return &Login{
provider: provider,
csrf: csrf,
auth: auth,
render: render,
}
}
// Install registers the login handler into a mux. It is expected that the
// provided prefix will serve all operations. Path MUST NOT end in a slash.
func (l *Login) Install(mux Mux, paths ...string) {
for _, path := range paths {
path = strings.TrimRight(path, "/")
mux.HandleFunc(path, l.ServeHTTP)
}
}
func (l *Login) ServeHTTP(w http.ResponseWriter, req *http.Request) {
switch req.Method {
case "GET":
l.handleLoginForm(w, req)
case "POST":
l.handleLogin(w, req)
default:
http.Error(w, "Method not allowed", http.StatusMethodNotAllowed)
}
}
func (l *Login) handleLoginForm(w http.ResponseWriter, req *http.Request) {
uri, err := getBaseURL(req)
if err != nil {
glog.Errorf("Unable to generate base URL: %v", err)
http.Error(w, "Unable to determine URL", http.StatusInternalServerError)
return
}
form := LoginForm{
ProviderName: l.provider,
Action: uri.String(),
Names: LoginFormFields{
Then: thenParam,
CSRF: csrfParam,
Username: usernameParam,
Password: passwordParam,
},
}
if then := req.URL.Query().Get("then"); then != "" {
// TODO: sanitize 'then'
form.Values.Then = then
}
form.ErrorCode = req.URL.Query().Get("reason")
if len(form.ErrorCode) > 0 {
if msg, hasMsg := errorMessages[form.ErrorCode]; hasMsg {
form.Error = msg
} else {
form.Error = errorpage.AuthenticationErrorMessage(form.ErrorCode)
}
}
csrf, err := l.csrf.Generate(w, req)
if err != nil {
utilruntime.HandleError(fmt.Errorf("unable to generate CSRF token: %v", err))
}
form.Values.CSRF = csrf
l.render.Render(form, w, req)
}
func (l *Login) handleLogin(w http.ResponseWriter, req *http.Request) {
if ok, err := l.csrf.Check(req, req.FormValue("csrf")); !ok || err != nil {
glog.Errorf("Unable to check CSRF token: %v", err)
failed(errorCodeTokenExpired, w, req)
return
}
then := req.FormValue("then")
username, password := req.FormValue("username"), req.FormValue("password")
if username == "" {
failed(errorCodeUserRequired, w, req)
return
}
user, ok, err := l.auth.AuthenticatePassword(username, password)
if err != nil {
glog.Errorf(`Error authenticating %q with provider %q: %v`, username, l.provider, err)
failed(errorpage.AuthenticationErrorCode(err), w, req)
return
}
if !ok {
glog.V(4).Infof(`Login with provider %q failed for %q`, l.provider, username)
failed(errorCodeAccessDenied, w, req)
return
}
glog.V(4).Infof(`Login with provider %q succeeded for %q: %#v`, l.provider, username, user)
l.auth.AuthenticationSucceeded(user, then, w, req)
}
// NewLoginFormRenderer creates a login form renderer that takes in an optional custom template to
// allow branding of the login page. Uses the default if customLoginTemplateFile is not set.
func NewLoginFormRenderer(customLoginTemplateFile string) (*loginTemplateRenderer, error) {
r := &loginTemplateRenderer{}
if len(customLoginTemplateFile) > 0 {
customTemplate, err := template.ParseFiles(customLoginTemplateFile)
if err != nil {
return nil, err
}
r.loginTemplate = customTemplate
} else {
r.loginTemplate = defaultLoginTemplate
}
return r, nil
}
func ValidateLoginTemplate(templateContent []byte) []error {
var allErrs []error
template, err := template.New("loginTemplateTest").Parse(string(templateContent))
if err != nil {
return append(allErrs, err)
}
// Execute the template with dummy values and check if they're there.
form := LoginForm{
Action: "MyAction",
Error: "MyError",
Names: LoginFormFields{
Then: "MyThenName",
CSRF: "MyCSRFName",
Username: "MyUsernameName",
Password: "MyPasswordName",
},
Values: LoginFormFields{
Then: "MyThenValue",
CSRF: "MyCSRFValue",
Username: "MyUsernameValue",
},
}
var buffer bytes.Buffer
err = template.Execute(&buffer, form)
if err != nil {
return append(allErrs, err)
}
output := buffer.Bytes()
var testFields = map[string]string{
"Action": form.Action,
"Error": form.Error,
"Names.Then": form.Names.Then,
"Names.CSRF": form.Values.CSRF,
"Names.Username": form.Names.Username,
"Names.Password": form.Names.Password,
"Values.Then": form.Values.Then,
"Values.CSRF": form.Values.CSRF,
"Values.Username": form.Values.Username,
}
for field, value := range testFields {
if !bytes.Contains(output, []byte(value)) {
allErrs = append(allErrs, errors.New(fmt.Sprintf("template is missing parameter {{ .%s }}", field)))
}
}
return allErrs
}
type loginTemplateRenderer struct {
loginTemplate *template.Template
}
func (r loginTemplateRenderer) Render(form LoginForm, w http.ResponseWriter, req *http.Request) {
w.Header().Add("Content-Type", "text/html; charset=UTF-8")
w.WriteHeader(http.StatusOK)
if err := r.loginTemplate.Execute(w, form); err != nil {
utilruntime.HandleError(fmt.Errorf("unable to render login template: %v", err))
}
}