authorizer/server/resolvers/signup.go

314 lines
9.6 KiB
Go
Raw Permalink Normal View History

package resolvers
import (
"context"
"fmt"
"strings"
"time"
"github.com/google/uuid"
2022-05-24 07:12:29 +00:00
log "github.com/sirupsen/logrus"
"github.com/authorizerdev/authorizer/server/constants"
"github.com/authorizerdev/authorizer/server/cookie"
2022-02-28 15:56:49 +00:00
"github.com/authorizerdev/authorizer/server/crypto"
2021-07-23 16:27:44 +00:00
"github.com/authorizerdev/authorizer/server/db"
2022-01-21 08:04:04 +00:00
"github.com/authorizerdev/authorizer/server/db/models"
2022-01-17 06:02:13 +00:00
"github.com/authorizerdev/authorizer/server/email"
2021-07-23 16:27:44 +00:00
"github.com/authorizerdev/authorizer/server/graph/model"
2022-05-27 17:50:38 +00:00
"github.com/authorizerdev/authorizer/server/memorystore"
2022-05-30 06:24:16 +00:00
"github.com/authorizerdev/authorizer/server/parsers"
2022-08-03 17:50:23 +00:00
"github.com/authorizerdev/authorizer/server/refs"
"github.com/authorizerdev/authorizer/server/token"
2021-07-23 16:27:44 +00:00
"github.com/authorizerdev/authorizer/server/utils"
2022-05-30 06:24:16 +00:00
"github.com/authorizerdev/authorizer/server/validators"
)
2022-01-17 06:02:13 +00:00
// SignupResolver is a resolver for signup mutation
func SignupResolver(ctx context.Context, params model.SignUpInput) (*model.AuthResponse, error) {
var res *model.AuthResponse
2022-05-24 07:12:29 +00:00
gc, err := utils.GinContextFromContext(ctx)
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to get GinContext: ", err)
return res, err
}
2022-05-30 03:49:55 +00:00
isSignupDisabled, err := memorystore.Provider.GetBoolStoreEnvVariable(constants.EnvKeyDisableSignUp)
if err != nil {
log.Debug("Error getting signup disabled: ", err)
isSignupDisabled = true
}
if isSignupDisabled {
2022-05-25 07:00:22 +00:00
log.Debug("Signup is disabled")
2022-03-16 17:19:18 +00:00
return res, fmt.Errorf(`signup is disabled for this instance`)
}
2022-05-30 03:49:55 +00:00
isBasicAuthDisabled, err := memorystore.Provider.GetBoolStoreEnvVariable(constants.EnvKeyDisableBasicAuthentication)
if err != nil {
log.Debug("Error getting basic auth disabled: ", err)
isBasicAuthDisabled = true
}
if isBasicAuthDisabled {
2022-05-25 07:00:22 +00:00
log.Debug("Basic authentication is disabled")
return res, fmt.Errorf(`basic authentication is disabled for this instance`)
}
2022-03-16 17:19:18 +00:00
if params.ConfirmPassword != params.Password {
2022-05-25 07:00:22 +00:00
log.Debug("Passwords do not match")
return res, fmt.Errorf(`password and confirm password does not match`)
}
if err := validators.IsValidPassword(params.Password); err != nil {
2022-05-24 07:12:29 +00:00
log.Debug("Invalid password")
return res, err
}
params.Email = strings.ToLower(params.Email)
2022-05-30 06:24:16 +00:00
if !validators.IsValidEmail(params.Email) {
2022-05-25 07:00:22 +00:00
log.Debug("Invalid email: ", params.Email)
return res, fmt.Errorf(`invalid email address`)
}
2022-05-24 07:12:29 +00:00
log := log.WithFields(log.Fields{
"email": params.Email,
})
// find user with email
2022-07-10 16:19:33 +00:00
existingUser, err := db.Provider.GetUserByEmail(ctx, params.Email)
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to get user by email: ", err)
}
2023-08-01 10:39:17 +00:00
if existingUser != nil {
if existingUser.EmailVerifiedAt != nil {
// email is verified
log.Debug("Email is already verified and signed up.")
return res, fmt.Errorf(`%s has already signed up`, params.Email)
} else if existingUser.ID != "" && existingUser.EmailVerifiedAt == nil {
log.Debug("Email is already signed up. Verification pending...")
return res, fmt.Errorf("%s has already signed up. please complete the email verification process or reset the password", params.Email)
}
}
2021-12-24 13:12:32 +00:00
inputRoles := []string{}
if len(params.Roles) > 0 {
// check if roles exists
2022-05-31 02:44:03 +00:00
rolesString, err := memorystore.Provider.GetStringStoreEnvVariable(constants.EnvKeyRoles)
roles := []string{}
2022-05-30 03:49:55 +00:00
if err != nil {
log.Debug("Error getting roles: ", err)
return res, err
2022-05-31 02:44:03 +00:00
} else {
roles = strings.Split(rolesString, ",")
2022-05-30 03:49:55 +00:00
}
2022-06-07 02:30:30 +00:00
if !validators.IsValidRoles(params.Roles, roles) {
2022-05-25 07:00:22 +00:00
log.Debug("Invalid roles: ", params.Roles)
2021-12-24 13:12:32 +00:00
return res, fmt.Errorf(`invalid roles`)
} else {
inputRoles = params.Roles
}
} else {
2022-05-31 02:44:03 +00:00
inputRolesString, err := memorystore.Provider.GetStringStoreEnvVariable(constants.EnvKeyDefaultRoles)
2022-05-30 03:49:55 +00:00
if err != nil {
log.Debug("Error getting default roles: ", err)
return res, err
2022-05-31 02:44:03 +00:00
} else {
inputRoles = strings.Split(inputRolesString, ",")
2022-05-30 03:49:55 +00:00
}
2021-12-24 13:12:32 +00:00
}
user := &models.User{
2021-07-17 17:09:50 +00:00
Email: params.Email,
}
user.Roles = strings.Join(inputRoles, ",")
2022-02-28 15:56:49 +00:00
password, _ := crypto.EncryptPassword(params.Password)
2021-12-22 10:01:45 +00:00
user.Password = &password
2021-07-17 17:09:50 +00:00
if params.GivenName != nil {
2021-12-22 10:01:45 +00:00
user.GivenName = params.GivenName
}
if params.FamilyName != nil {
2021-12-22 10:01:45 +00:00
user.FamilyName = params.FamilyName
}
if params.MiddleName != nil {
2021-12-22 10:01:45 +00:00
user.MiddleName = params.MiddleName
}
if params.Nickname != nil {
2021-12-22 10:01:45 +00:00
user.Nickname = params.Nickname
}
if params.Gender != nil {
2021-12-22 10:01:45 +00:00
user.Gender = params.Gender
}
if params.Birthdate != nil {
2021-12-22 10:01:45 +00:00
user.Birthdate = params.Birthdate
}
if params.PhoneNumber != nil {
2021-12-22 10:01:45 +00:00
user.PhoneNumber = params.PhoneNumber
}
if params.Picture != nil {
2021-12-22 10:01:45 +00:00
user.Picture = params.Picture
}
2022-07-23 09:56:44 +00:00
if params.IsMultiFactorAuthEnabled != nil {
user.IsMultiFactorAuthEnabled = params.IsMultiFactorAuthEnabled
}
2022-08-03 17:50:23 +00:00
isMFAEnforced, err := memorystore.Provider.GetBoolStoreEnvVariable(constants.EnvKeyEnforceMultiFactorAuthentication)
if err != nil {
log.Debug("MFA service not enabled: ", err)
isMFAEnforced = false
}
if isMFAEnforced {
user.IsMultiFactorAuthEnabled = refs.NewBoolRef(true)
}
user.SignupMethods = constants.AuthRecipeMethodBasicAuth
2022-05-30 03:49:55 +00:00
isEmailVerificationDisabled, err := memorystore.Provider.GetBoolStoreEnvVariable(constants.EnvKeyDisableEmailVerification)
if err != nil {
log.Debug("Error getting email verification disabled: ", err)
isEmailVerificationDisabled = true
}
if isEmailVerificationDisabled {
now := time.Now().Unix()
user.EmailVerifiedAt = &now
}
2022-07-10 16:19:33 +00:00
user, err = db.Provider.AddUser(ctx, user)
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to add user: ", err)
return res, err
}
roles := strings.Split(user.Roles, ",")
userToReturn := user.AsAPIUser()
2022-05-30 06:24:16 +00:00
hostname := parsers.GetHost(gc)
2022-05-30 03:49:55 +00:00
if !isEmailVerificationDisabled {
// insert verification request
_, nonceHash, err := utils.GenerateNonce()
2022-03-02 12:12:31 +00:00
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to generate nonce: ", err)
2022-03-02 12:12:31 +00:00
return res, err
}
2022-01-17 06:02:13 +00:00
verificationType := constants.VerificationTypeBasicAuthSignup
2022-05-30 06:24:16 +00:00
redirectURL := parsers.GetAppURL(gc)
2022-03-16 16:22:45 +00:00
if params.RedirectURI != nil {
redirectURL = *params.RedirectURI
}
verificationToken, err := token.CreateVerificationToken(params.Email, verificationType, hostname, nonceHash, redirectURL)
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to create verification token: ", err)
2022-03-02 12:12:31 +00:00
return res, err
}
_, err = db.Provider.AddVerificationRequest(ctx, &models.VerificationRequest{
Token: verificationToken,
Identifier: verificationType,
ExpiresAt: time.Now().Add(time.Minute * 30).Unix(),
Email: params.Email,
Nonce: nonceHash,
RedirectURI: redirectURL,
})
2022-05-24 07:12:29 +00:00
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to add verification request: ", err)
2022-05-24 07:12:29 +00:00
return res, err
}
2022-08-08 20:13:37 +00:00
// exec it as go routine so that we can reduce the api latency
2022-07-11 05:12:42 +00:00
go func() {
2022-08-08 20:13:37 +00:00
// exec it as go routine so that we can reduce the api latency
email.SendEmail([]string{params.Email}, constants.VerificationTypeBasicAuthSignup, map[string]interface{}{
"user": user.ToMap(),
"organization": utils.GetOrganization(),
"verification_url": utils.GetEmailVerificationURL(verificationToken, hostname, redirectURL),
2022-08-08 20:13:37 +00:00
})
2022-07-11 05:12:42 +00:00
utils.RegisterEvent(ctx, constants.UserCreatedWebhookEvent, constants.AuthRecipeMethodBasicAuth, user)
}()
res = &model.AuthResponse{
Message: `Verification email has been sent. Please check your inbox`,
User: userToReturn,
}
} else {
2022-03-02 12:12:31 +00:00
scope := []string{"openid", "email", "profile"}
2022-03-09 06:23:34 +00:00
if params.Scope != nil && len(scope) > 0 {
scope = params.Scope
}
code := ""
codeChallenge := ""
nonce := ""
if params.State != nil {
// Get state from store
authorizeState, _ := memorystore.Provider.GetState(refs.StringValue(params.State))
if authorizeState != "" {
authorizeStateSplit := strings.Split(authorizeState, "@@")
if len(authorizeStateSplit) > 1 {
code = authorizeStateSplit[0]
codeChallenge = authorizeStateSplit[1]
} else {
nonce = authorizeState
}
go memorystore.Provider.RemoveState(refs.StringValue(params.State))
}
}
if nonce == "" {
nonce = uuid.New().String()
2022-11-12 18:24:37 +00:00
}
authToken, err := token.CreateAuthToken(gc, user, roles, scope, constants.AuthRecipeMethodBasicAuth, nonce, code)
if err != nil {
2022-05-25 07:00:22 +00:00
log.Debug("Failed to create auth token: ", err)
return res, err
}
2022-03-02 12:12:31 +00:00
// Code challenge could be optional if PKCE flow is not used
if code != "" {
if err := memorystore.Provider.SetState(code, codeChallenge+"@@"+authToken.FingerPrintHash); err != nil {
log.Debug("SetState failed: ", err)
return res, err
}
}
expiresIn := authToken.AccessToken.ExpiresAt - time.Now().Unix()
if expiresIn <= 0 {
expiresIn = 1
}
res = &model.AuthResponse{
Message: `Signed up successfully.`,
AccessToken: &authToken.AccessToken.Token,
2022-03-02 12:12:31 +00:00
ExpiresIn: &expiresIn,
User: userToReturn,
}
2022-06-11 18:57:21 +00:00
sessionKey := constants.AuthRecipeMethodBasicAuth + ":" + user.ID
2022-06-11 18:57:21 +00:00
cookie.SetSession(gc, authToken.FingerPrintHash)
2023-04-08 07:36:15 +00:00
memorystore.Provider.SetUserSession(sessionKey, constants.TokenTypeSessionToken+"_"+authToken.FingerPrint, authToken.FingerPrintHash, authToken.SessionTokenExpiresAt)
memorystore.Provider.SetUserSession(sessionKey, constants.TokenTypeAccessToken+"_"+authToken.FingerPrint, authToken.AccessToken.Token, authToken.AccessToken.ExpiresAt)
2022-06-11 18:57:21 +00:00
if authToken.RefreshToken != nil {
res.RefreshToken = &authToken.RefreshToken.Token
2023-04-08 07:36:15 +00:00
memorystore.Provider.SetUserSession(sessionKey, constants.TokenTypeRefreshToken+"_"+authToken.FingerPrint, authToken.RefreshToken.Token, authToken.RefreshToken.ExpiresAt)
2022-06-11 18:57:21 +00:00
}
2022-07-11 05:12:42 +00:00
go func() {
utils.RegisterEvent(ctx, constants.UserSignUpWebhookEvent, constants.AuthRecipeMethodBasicAuth, user)
db.Provider.AddSession(ctx, &models.Session{
2022-07-11 05:12:42 +00:00
UserID: user.ID,
UserAgent: utils.GetUserAgent(gc.Request),
IP: utils.GetIP(gc.Request),
})
}()
}
return res, nil
}