stash-box/pkg/api/session.go
2021-11-26 09:12:29 +01:00

93 lines
2.0 KiB
Go

package api
import (
"errors"
"net/http"
"github.com/stashapp/stash-box/pkg/manager/config"
"github.com/stashapp/stash-box/pkg/user"
"github.com/gorilla/sessions"
)
const cookieName = "session"
const usernameFormKey = "username"
const passwordFormKey = "password"
const userIDKey = "userID"
const maxCookieAge = 60 * 60 * 1 // 1 hours
var sessionStore = sessions.NewCookieStore(config.GetSessionStoreKey())
func handleLogin(w http.ResponseWriter, r *http.Request) {
newSession, err := sessionStore.Get(r, cookieName)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
username := r.FormValue(usernameFormKey)
password := r.FormValue(passwordFormKey)
fac := getRepo(r.Context())
// authenticate the user
userID, err := user.Authenticate(fac, username, password)
if errors.Is(err, user.ErrAccessDenied) {
http.Error(w, err.Error(), http.StatusUnauthorized)
return
} else if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
newSession.Values[userIDKey] = userID
newSession.Options.MaxAge = maxCookieAge
err = newSession.Save(r, w)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
}
func handleLogout(w http.ResponseWriter, r *http.Request) {
session, err := sessionStore.Get(r, cookieName)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
delete(session.Values, userIDKey)
session.Options.MaxAge = -1
err = session.Save(r, w)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
}
func getSessionUserID(w http.ResponseWriter, r *http.Request) (string, error) {
session, err := sessionStore.Get(r, cookieName)
if err != nil {
return "", err
}
if !session.IsNew {
userIDInt := session.Values[userIDKey]
userID, _ := userIDInt.(string)
// refresh the cookie
err = session.Save(r, w)
if err != nil {
return "", err
}
return userID, nil
}
return "", nil
}