-
-
Notifications
You must be signed in to change notification settings - Fork 802
Expand file tree
/
Copy pathoidc.go
More file actions
362 lines (342 loc) · 11.1 KB
/
oidc.go
File metadata and controls
362 lines (342 loc) · 11.1 KB
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
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
package api
import (
"context"
"crypto/rand"
"encoding/hex"
"errors"
"fmt"
"log"
"net/http"
"strings"
"sync"
"time"
"github.com/gin-gonic/gin"
"github.com/gotify/server/v2/auth"
"github.com/gotify/server/v2/config"
"github.com/gotify/server/v2/database"
"github.com/gotify/server/v2/model"
"github.com/zitadel/oidc/v3/pkg/client/rp"
httphelper "github.com/zitadel/oidc/v3/pkg/http"
"github.com/zitadel/oidc/v3/pkg/oidc"
)
func NewOIDC(conf *config.Configuration, db *database.GormDatabase, userChangeNotifier *UserChangeNotifier) *OIDCAPI {
scopes := conf.OIDC.Scopes
if len(scopes) == 0 {
scopes = []string{"openid", "profile", "email"}
}
cookieKey := make([]byte, 32)
if _, err := rand.Read(cookieKey); err != nil {
log.Fatalf("failed to generate OIDC cookie key: %v", err)
}
cookieHandlerOpt := []httphelper.CookieHandlerOpt{}
if !conf.Server.SecureCookie {
cookieHandlerOpt = append(cookieHandlerOpt, httphelper.WithUnsecure())
}
cookieHandler := httphelper.NewCookieHandler(cookieKey, cookieKey, cookieHandlerOpt...)
opts := []rp.Option{rp.WithCookieHandler(cookieHandler), rp.WithPKCE(cookieHandler)}
provider, err := rp.NewRelyingPartyOIDC(
context.Background(),
conf.OIDC.Issuer,
conf.OIDC.ClientID,
conf.OIDC.ClientSecret,
conf.OIDC.RedirectURL,
scopes,
opts...,
)
if err != nil {
log.Fatalf("failed to initialize OIDC provider: %v", err)
}
return &OIDCAPI{
DB: db,
Provider: provider,
UserChangeNotifier: userChangeNotifier,
UsernameClaim: conf.OIDC.UsernameClaim,
PasswordStrength: conf.PassStrength,
SecureCookie: conf.Server.SecureCookie,
AutoRegister: conf.OIDC.AutoRegister,
pendingSessions: make(map[string]*pendingOIDCSession),
}
}
const pendingSessionMaxAge = 10 * time.Minute
type pendingOIDCSession struct {
RedirectURI string
ClientName string
CreatedAt time.Time
}
// OIDCAPI provides handlers for OIDC authentication.
type OIDCAPI struct {
DB *database.GormDatabase
Provider rp.RelyingParty
UserChangeNotifier *UserChangeNotifier
UsernameClaim string
PasswordStrength int
SecureCookie bool
AutoRegister bool
pendingSessions map[string]*pendingOIDCSession
pendingSessionsMu sync.Mutex
}
func (a *OIDCAPI) storePendingSession(state string, session *pendingOIDCSession) {
a.pendingSessionsMu.Lock()
defer a.pendingSessionsMu.Unlock()
for s, sess := range a.pendingSessions {
if time.Since(sess.CreatedAt) > pendingSessionMaxAge {
delete(a.pendingSessions, s)
}
}
a.pendingSessions[state] = session
}
func (a *OIDCAPI) popPendingSession(state string) (*pendingOIDCSession, bool) {
a.pendingSessionsMu.Lock()
session, ok := a.pendingSessions[state]
if ok {
delete(a.pendingSessions, state)
}
a.pendingSessionsMu.Unlock()
if !ok || time.Since(session.CreatedAt) > pendingSessionMaxAge {
return nil, false
}
return session, true
}
// swagger:operation GET /auth/oidc/login oidc oidcLogin
//
// Start the OIDC login flow (browser).
//
// Redirects the user to the OIDC provider's authorization endpoint.
// After authentication, the provider redirects back to the callback endpoint.
//
// ---
// parameters:
// - name: name
// in: query
// description: the client name to create after login
// required: true
// type: string
// responses:
// 302:
// description: Redirect to OIDC provider
// default:
// description: Error
// schema:
// $ref: "#/definitions/Error"
func (a *OIDCAPI) LoginHandler() gin.HandlerFunc {
return gin.WrapF(func(w http.ResponseWriter, r *http.Request) {
clientName := r.URL.Query().Get("name")
if clientName == "" {
http.Error(w, "invalid client name", http.StatusBadRequest)
return
}
state, err := a.generateState(clientName)
if err != nil {
http.Error(w, fmt.Sprintf("failed to generate state: %v", err), http.StatusInternalServerError)
return
}
rp.AuthURLHandler(func() string { return state }, a.Provider)(w, r)
})
}
// swagger:operation GET /auth/oidc/callback oidc oidcCallback
//
// Handle the OIDC provider callback (browser).
//
// Exchanges the authorization code for tokens, resolves the user,
// creates a gotify client, sets a session cookie, and redirects to the UI.
//
// ---
// parameters:
// - name: code
// in: query
// description: the authorization code from the OIDC provider
// required: true
// type: string
// - name: state
// in: query
// description: the state parameter for CSRF protection
// required: true
// type: string
// responses:
// 307:
// description: Redirect to UI
// default:
// description: Error
// schema:
// $ref: "#/definitions/Error"
func (a *OIDCAPI) CallbackHandler() gin.HandlerFunc {
callback := func(w http.ResponseWriter, r *http.Request, tokens *oidc.Tokens[*oidc.IDTokenClaims], state string, provider rp.RelyingParty, info *oidc.UserInfo) {
user, status, err := a.resolveUser(info)
if err != nil {
http.Error(w, err.Error(), status)
return
}
clientName, _, _ := strings.Cut(state, ":")
client, err := a.createClient(clientName, user.ID)
if err != nil {
http.Error(w, fmt.Sprintf("failed to create client: %v", err), http.StatusInternalServerError)
return
}
auth.SetCookie(w, client.Token, auth.CookieMaxAge, a.SecureCookie)
// A reverse proxy may have already stripped a url prefix from the URL
// without us knowing, we have to make a relative redirect.
// We cannot use http.Redirect as this normalizes the Path with r.URL.
w.Header().Set("Location", "../../")
w.WriteHeader(http.StatusTemporaryRedirect)
}
return gin.WrapF(rp.CodeExchangeHandler(rp.UserinfoCallback(callback), a.Provider))
}
// swagger:operation POST /auth/oidc/external/authorize oidc externalAuthorize
//
// Initiate the OIDC authorization flow for a native app.
//
// The app generates a PKCE code_verifier and code_challenge, then calls this
// endpoint. The server forwards the code_challenge to the OIDC provider and
// returns the authorization URL for the app to open in a browser.
//
// ---
// consumes: [application/json]
// produces: [application/json]
// parameters:
// - name: body
// in: body
// required: true
// schema:
// $ref: "#/definitions/OIDCExternalAuthorizeRequest"
// responses:
// 200:
// description: Ok
// schema:
// $ref: "#/definitions/OIDCExternalAuthorizeResponse"
// default:
// description: Error
// schema:
// $ref: "#/definitions/Error"
func (a *OIDCAPI) ExternalAuthorizeHandler(ctx *gin.Context) {
var req model.OIDCExternalAuthorizeRequest
if err := ctx.ShouldBindJSON(&req); err != nil {
ctx.AbortWithError(http.StatusBadRequest, err)
return
}
state, err := a.generateState(req.Name)
if err != nil {
ctx.AbortWithError(http.StatusInternalServerError, err)
return
}
a.storePendingSession(state, &pendingOIDCSession{
RedirectURI: req.RedirectURI, ClientName: req.Name, CreatedAt: time.Now(),
})
authOpts := []rp.AuthURLOpt{
rp.AuthURLOpt(rp.WithURLParam("redirect_uri", req.RedirectURI)),
rp.WithCodeChallenge(req.CodeChallenge),
}
ctx.JSON(http.StatusOK, &model.OIDCExternalAuthorizeResponse{
AuthorizeURL: rp.AuthURL(state, a.Provider, authOpts...),
State: state,
})
}
// swagger:operation POST /auth/oidc/external/token oidc externalToken
//
// Exchange an authorization code for a gotify client token.
//
// After the user authenticates with the OIDC provider and the app receives
// the authorization code via redirect, the app calls this endpoint with the
// code and PKCE code_verifier. The server exchanges the code with the OIDC
// provider and returns a gotify client token.
//
// ---
// consumes: [application/json]
// produces: [application/json]
// parameters:
// - name: body
// in: body
// required: true
// schema:
// $ref: "#/definitions/OIDCExternalTokenRequest"
// responses:
// 200:
// description: Ok
// schema:
// $ref: "#/definitions/OIDCExternalTokenResponse"
// default:
// description: Error
// schema:
// $ref: "#/definitions/Error"
func (a *OIDCAPI) ExternalTokenHandler(ctx *gin.Context) {
var req model.OIDCExternalTokenRequest
if err := ctx.ShouldBindJSON(&req); err != nil {
ctx.AbortWithError(http.StatusBadRequest, err)
return
}
session, ok := a.popPendingSession(req.State)
if !ok {
ctx.AbortWithError(http.StatusBadRequest, errors.New("unknown or expired state"))
return
}
exchangeOpts := []rp.CodeExchangeOpt{
rp.CodeExchangeOpt(rp.WithURLParam("redirect_uri", session.RedirectURI)),
rp.WithCodeVerifier(req.CodeVerifier),
}
tokens, err := rp.CodeExchange[*oidc.IDTokenClaims](ctx.Request.Context(), req.Code, a.Provider, exchangeOpts...)
if err != nil {
ctx.AbortWithError(http.StatusUnauthorized, fmt.Errorf("token exchange failed: %w", err))
return
}
info, err := rp.Userinfo[*oidc.UserInfo](ctx.Request.Context(), tokens.AccessToken, tokens.TokenType, tokens.IDTokenClaims.GetSubject(), a.Provider)
if err != nil {
ctx.AbortWithError(http.StatusInternalServerError, fmt.Errorf("failed to get user info: %w", err))
return
}
user, status, resolveErr := a.resolveUser(info)
if resolveErr != nil {
ctx.AbortWithError(status, resolveErr)
return
}
client, err := a.createClient(session.ClientName, user.ID)
if err != nil {
ctx.AbortWithError(http.StatusInternalServerError, err)
return
}
ctx.JSON(http.StatusOK, &model.OIDCExternalTokenResponse{
Token: client.Token,
User: &model.UserExternal{ID: user.ID, Name: user.Name, Admin: user.Admin},
})
}
func (a *OIDCAPI) generateState(name string) (string, error) {
nonce := make([]byte, 20)
if _, err := rand.Read(nonce); err != nil {
return "", err
}
return name + ":" + hex.EncodeToString(nonce), nil
}
// resolveUser looks up or creates a user from OIDC userinfo claims.
func (a *OIDCAPI) resolveUser(info *oidc.UserInfo) (*model.User, int, error) {
usernameRaw, ok := info.Claims[a.UsernameClaim]
if !ok {
return nil, http.StatusInternalServerError, fmt.Errorf("username claim %q is missing", a.UsernameClaim)
}
username := fmt.Sprint(usernameRaw)
if username == "" || usernameRaw == nil {
return nil, http.StatusInternalServerError, fmt.Errorf("username claim was empty")
}
user, err := a.DB.GetUserByName(username)
if err != nil {
return nil, http.StatusInternalServerError, fmt.Errorf("database error: %w", err)
}
if user == nil {
if !a.AutoRegister {
return nil, http.StatusForbidden, fmt.Errorf("user does not exist and auto-registration is disabled")
}
user = &model.User{Name: username, Admin: false, Pass: nil}
if err := a.DB.CreateUser(user); err != nil {
return nil, http.StatusInternalServerError, fmt.Errorf("failed to create user: %w", err)
}
if err := a.UserChangeNotifier.fireUserAdded(user.ID); err != nil {
log.Printf("Could not notify user change: %v\n", err)
}
}
return user, 0, nil
}
func (a *OIDCAPI) createClient(name string, userID uint) (*model.Client, error) {
client := &model.Client{
Name: name,
Token: auth.GenerateNotExistingToken(generateClientToken, func(t string) bool { c, _ := a.DB.GetClientByToken(t); return c != nil }),
UserID: userID,
}
return client, a.DB.CreateClient(client)
}