Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

refactor(console): refactor SIE settings form #7154

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
Expand Up @@ -3,13 +3,18 @@
import { Controller, useFieldArray, useFormContext } from 'react-hook-form';
import { useTranslation } from 'react-i18next';

import { isDevFeaturesEnabled } from '@/consts/env';
import { DragDropProvider, DraggableItem } from '@/ds-components/DragDrop';
import useEnabledConnectorTypes from '@/hooks/use-enabled-connector-types';

import type { SignInExperienceForm } from '../../../../types';
import { signInIdentifiers, signUpIdentifiersMapping } from '../../../constants';
import { identifierRequiredConnectorMapping } from '../../constants';
import { getSignUpRequiredConnectorTypes, createSignInMethod } from '../../utils';
import {
getSignUpRequiredConnectorTypes,
createSignInMethod,
getSignUpIdentifiersRequiredConnectors,
} from '../../utils';

import AddButton from './AddButton';
import SignInMethodItem from './SignInMethodItem';
Expand Down Expand Up @@ -43,12 +48,17 @@

const {
identifier: signUpIdentifier,
identifiers: signUpIdentifiers,
password: isSignUpPasswordRequired,
verify: isSignUpVerificationRequired,
} = signUp;

const requiredSignInIdentifiers = signUpIdentifiersMapping[signUpIdentifier];
const ignoredWarningConnectors = getSignUpRequiredConnectorTypes(signUpIdentifier);

// TODO: Remove this dev feature guard when multi sign-up identifiers are launched

Check warning on line 58 in packages/console/src/pages/SignInExperience/PageContent/SignUpAndSignIn/SignInForm/SignInMethodEditBox/index.tsx

View workflow job for this annotation

GitHub Actions / ESLint Report Analysis

packages/console/src/pages/SignInExperience/PageContent/SignUpAndSignIn/SignInForm/SignInMethodEditBox/index.tsx#L58

[no-warning-comments] Unexpected 'todo' comment: 'TODO: Remove this dev feature guard when...'.
const ignoredWarningConnectors = isDevFeaturesEnabled
? getSignUpIdentifiersRequiredConnectors(signUpIdentifiers.map(({ identifier }) => identifier))
: getSignUpRequiredConnectorTypes(signUpIdentifier);

const signInIdentifierOptions = signInIdentifiers.filter((candidateIdentifier) =>
fields.every(({ identifier }) => identifier !== candidateIdentifier)
Expand Down Expand Up @@ -103,12 +113,15 @@
<SignInMethodItem
signInMethod={value}
isPasswordCheckable={
identifier !== SignInIdentifier.Username && !isSignUpPasswordRequired
identifier !== SignInIdentifier.Username &&
(isDevFeaturesEnabled || !isSignUpPasswordRequired)
}
isVerificationCodeCheckable={
!(isSignUpVerificationRequired && !isSignUpPasswordRequired)
}
isDeletable={!requiredSignInIdentifiers.includes(identifier)}
isDeletable={
isDevFeaturesEnabled || !requiredSignInIdentifiers.includes(identifier)
}
requiredConnectors={requiredConnectors}
hasError={Boolean(error)}
errorMessage={error?.message}
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,182 @@
import { AlternativeSignUpIdentifier, SignInIdentifier } from '@logto/schemas';
import { useEffect, useMemo } from 'react';
import { Controller, useFormContext, useWatch } from 'react-hook-form';
import { useTranslation } from 'react-i18next';

import Card from '@/ds-components/Card';
import Checkbox from '@/ds-components/Checkbox';
import FormField from '@/ds-components/FormField';

import type { SignInExperienceForm } from '../../../types';
import FormFieldDescription from '../../components/FormFieldDescription';
import FormSectionTitle from '../../components/FormSectionTitle';
import { createSignInMethod } from '../utils';

import SignUpIdentifiersEditBox from './SignUpIdentifiersEditBox';
import styles from './index.module.scss';

function SignUpForm() {
const { t } = useTranslation(undefined, { keyPrefix: 'admin_console' });
const {
control,
setValue,
getValues,
trigger,
formState: { submitCount, dirtyFields },
} = useFormContext<SignInExperienceForm>();

// Note: `useWatch` is a hook that returns the updated value on every render.
// Unlike `watch`, it doesn't require a re-render to get the updated value (alway return the current ref).
const signUp = useWatch({
control,
name: 'signUp',
});

const signUpIdentifiers = useWatch({
control,
name: 'signUp.identifiers',
});

const { shouldShowAuthenticationFields, shouldShowVerificationField } = useMemo(() => {
return {
shouldShowAuthenticationFields: signUpIdentifiers.length > 0,
shouldShowVerificationField: signUpIdentifiers[0]?.identifier !== SignInIdentifier.Username,
};
}, [signUpIdentifiers]);

// Should sync the sign-up identifier auth settings when the sign-up identifiers changed
// TODO: need to check with designer

Check warning on line 48 in packages/console/src/pages/SignInExperience/PageContent/SignUpAndSignIn/SignUpForm/SignUpForm.tsx

View workflow job for this annotation

GitHub Actions / ESLint Report Analysis

packages/console/src/pages/SignInExperience/PageContent/SignUpAndSignIn/SignUpForm/SignUpForm.tsx#L48

[no-warning-comments] Unexpected 'todo' comment: 'TODO: need to check with designer'.
useEffect(() => {
// Only trigger the effect when the identifiers field is dirty
const isIdentifiersDirty = dirtyFields.signUp?.identifiers;
if (!isIdentifiersDirty) {
return;
}

const identifiers = signUpIdentifiers.map(({ identifier }) => identifier);
if (identifiers.length === 0) {
setValue('signUp.password', false);
setValue('signUp.verify', false);
return;
}

if (identifiers.includes(SignInIdentifier.Username)) {
setValue('signUp.password', true);
}

// Disable verification when the primary identifier is username,
// otherwise enable it for the rest of the identifiers (email, phone, emailOrPhone)
setValue('signUp.verify', identifiers[0] !== SignInIdentifier.Username);
}, [dirtyFields.signUp?.identifiers, setValue, signUpIdentifiers]);

// Sync sign-in methods when sign-up methods change
useEffect(() => {
// Only trigger the effect when the sign-up field is dirty
const isIdentifiersDirty = dirtyFields.signUp;
if (!isIdentifiersDirty) {
return;
}

const signInMethods = getValues('signIn.methods');
const { password, identifiers } = signUp;

const enabledSignUpIdentifiers = identifiers.reduce<SignInIdentifier[]>(
(identifiers, { identifier: signUpIdentifier }) => {
if (signUpIdentifier === AlternativeSignUpIdentifier.EmailOrPhone) {
return [...identifiers, SignInIdentifier.Email, SignInIdentifier.Phone];
}

return [...identifiers, signUpIdentifier];
},
[]
);

// Note: Auto append newly assigned sign-up identifiers to the sign-in methods list if they don't already exist
// User may remove them manually if they don't want to use it for sign-in.
const mergedSignInMethods = enabledSignUpIdentifiers.reduce((methods, signUpIdentifier) => {
if (signInMethods.some(({ identifier }) => identifier === signUpIdentifier)) {
return methods;
}

return [...methods, createSignInMethod(signUpIdentifier)];
}, signInMethods);

setValue(
'signIn.methods',
mergedSignInMethods.map((method) => {
const { identifier } = method;

if (identifier === SignInIdentifier.Username) {
return method;
}

return {
...method,
// Auto enabled password for email and phone sign-in methods if password is required for sign-up.
// User may disable it manually if they don't want to use password for email or phone sign-in.
password: method.password || password,
// Note: if password is not set for sign-up,
// then auto enable verification code for email and phone sign-in methods.
verificationCode: password ? method.verificationCode : true,
};
})
);

// Note: we need to revalidate the sign-in methods after the signIn form data has been updated
if (submitCount) {
// Wait for the form re-render before validating the new data.
setTimeout(() => {
void trigger('signIn.methods');
}, 0);
}
}, [dirtyFields.signUp, getValues, setValue, signUp, submitCount, trigger]);

return (
<Card>
<FormSectionTitle title="sign_up_and_sign_in.sign_up.title" />
<FormField title="sign_in_exp.sign_up_and_sign_in.sign_up.sign_up_identifier">
<FormFieldDescription>
{t('sign_in_exp.sign_up_and_sign_in.sign_up.identifier_description')}
</FormFieldDescription>
<SignUpIdentifiersEditBox />
</FormField>
{shouldShowAuthenticationFields && (
<FormField title="sign_in_exp.sign_up_and_sign_in.sign_up.sign_up_authentication">
<FormFieldDescription>
{t('sign_in_exp.sign_up_and_sign_in.sign_up.authentication_description')}
</FormFieldDescription>
<div className={styles.selections}>
<Controller
name="signUp.password"
control={control}
render={({ field: { value, onChange } }) => (
<Checkbox
label={t('sign_in_exp.sign_up_and_sign_in.sign_up.set_a_password_option')}
checked={value}
onChange={onChange}
/>
)}
/>
{shouldShowVerificationField && (
<Controller
name="signUp.verify"
control={control}
render={({ field: { value, onChange } }) => (
<Checkbox
disabled
label={t('sign_in_exp.sign_up_and_sign_in.sign_up.verify_at_sign_up_option')}
checked={value}
tooltip={t('sign_in_exp.sign_up_and_sign_in.tip.verify_at_sign_up')}
onChange={onChange}
/>
)}
/>
)}
</div>
</FormField>
)}
</Card>
);
}

export default SignUpForm;
Original file line number Diff line number Diff line change
@@ -0,0 +1,35 @@
@use '@/scss/underscore' as _;

.signUpMethodItem {
display: flex;
align-items: center;
margin: _.unit(2) 0;
gap: _.unit(2);
}

.signUpMethod {
display: flex;
align-items: center;
height: 44px;
width: 100%;
padding: _.unit(3) _.unit(2);
background-color: var(--color-layer-2);
border-radius: 8px;
cursor: move;
gap: _.unit(1);
color: var(--color-text);
font: var(--font-label-2);

&.error {
outline: 1px solid var(--color-error);
}

.draggableIcon {
color: var(--color-text-secondary);
}
}

.errorMessage {
font: var(--font-body-2);
color: var(--color-error);
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,55 @@
import {
AlternativeSignUpIdentifier,
type ConnectorType,
type SignUpIdentifier,
} from '@logto/schemas';
import classNames from 'classnames';
import { useTranslation } from 'react-i18next';

import Draggable from '@/assets/icons/draggable.svg?react';
import Minus from '@/assets/icons/minus.svg?react';
import IconButton from '@/ds-components/IconButton';

import ConnectorSetupWarning from '../../components/ConnectorSetupWarning';

import styles from './SignUpIdentifierItem.module.scss';

type Props = {
readonly identifier: SignUpIdentifier;
readonly requiredConnectors: ConnectorType[];
readonly hasError?: boolean;
readonly errorMessage?: string;
readonly onDelete: () => void;
};

function SignUpIdentifierItem({
identifier,
requiredConnectors,
hasError,
errorMessage,
onDelete,
}: Props) {
const { t } = useTranslation(undefined, { keyPrefix: 'admin_console' });

return (
<div>
<div key={identifier} className={styles.signUpMethodItem}>
<div className={classNames(styles.signUpMethod, hasError && styles.error)}>
<Draggable className={styles.draggableIcon} />
{t(
`sign_in_exp.sign_up_and_sign_in.identifiers_${
identifier === AlternativeSignUpIdentifier.EmailOrPhone ? 'email_or_sms' : identifier
}`
)}
</div>
<IconButton onClick={onDelete}>
<Minus />
</IconButton>
</div>
{errorMessage && <div className={styles.errorMessage}>{errorMessage}</div>}
<ConnectorSetupWarning requiredConnectors={requiredConnectors} />
</div>
);
}

export default SignUpIdentifierItem;
Original file line number Diff line number Diff line change
@@ -0,0 +1,3 @@
.draggleItemContainer {
transform: translate(0, 0);
}
Loading
Loading