Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
20 commits
Select commit Hold shift + click to select a range
97f1bfc
chore(clerk-js): Eslint rules to prevent incorrect usage of Clerk.set…
panteliselef Feb 4, 2025
482de37
chore(clerk-js): Use scoped context to pass provide beforeEmit to set…
panteliselef Feb 4, 2025
b2326ea
add unit tests for createScopedContext
panteliselef Feb 4, 2025
2caf9ec
beforeEmit has priority over redirectUrl
panteliselef Feb 4, 2025
4a7a152
exclude __internal_setActiveContext from IsomorphicClerk
panteliselef Feb 4, 2025
6f6c016
temp changeset
panteliselef Feb 4, 2025
59c91bb
Merge branch 'main' into elef/sdki-856-userprofile-modal-backdrop-is-…
panteliselef Feb 4, 2025
5bc5a88
chore(e2e): Check if modal closes after user deletion
panteliselef Feb 3, 2025
527f0ac
fix(nextjs): Shallow routing for in-component navigations
panteliselef Feb 5, 2025
79bd787
fix(clerk-js,types): Notify UI Component modals to close after `setAc…
panteliselef Feb 5, 2025
d425e44
cleanup from previous pr
panteliselef Feb 6, 2025
8b5c071
fix clerk-react types
panteliselef Feb 6, 2025
3805d01
Merge branch 'refs/heads/main' into elef/sdki-856-set-active-emitter
panteliselef Feb 10, 2025
6c68ec4
address pr comments
panteliselef Feb 10, 2025
8d6c6ce
address pr comments
panteliselef Feb 10, 2025
917bba9
add missing page
panteliselef Feb 10, 2025
e364340
Update packages/types/src/clerk.ts
panteliselef Feb 11, 2025
ef0e058
add changesets
panteliselef Feb 12, 2025
bba359f
Merge branch 'refs/heads/main' into elef/sdki-856-set-active-emitter
panteliselef Feb 12, 2025
8c66b98
remove `onExternalNavigate` from mountedBlankCaptchaModal
panteliselef Feb 12, 2025
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
5 changes: 5 additions & 0 deletions .changeset/beige-colts-fold.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
'@clerk/clerk-react': patch
---

Exclude `__internal_addNavigationListener` from `IsomorphicClerk`.
5 changes: 5 additions & 0 deletions .changeset/eighty-pigs-sniff.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
'@clerk/types': minor
---

Introduce `__internal_addNavigationListener` method the `Clerk` singleton.
5 changes: 5 additions & 0 deletions .changeset/violet-fishes-provide.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
'@clerk/clerk-js': patch
---

Bug fix: Close modals when calling `Clerk.navigate()` or `Clerk.setActive({redirectUrl})`.
83 changes: 83 additions & 0 deletions eslint.config.mjs
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,75 @@ const ECMA_VERSION = 2021,
TEST_FILES = ['**/*.test.js', '**/*.test.jsx', '**/*.test.ts', '**/*.test.tsx', '**/test/**', '**/__tests__/**'],
TYPESCRIPT_FILES = ['**/*.cts', '**/*.mts', '**/*.ts', '**/*.tsx'];

const noNavigateUseClerk = {
meta: {
type: 'problem',
docs: {
description: 'Disallow any usage of `navigate` from `useClerk()`',
recommended: false,
},
messages: {
noNavigate:
'Usage of `navigate` from `useClerk()` is not allowed.\nUse `useRouter().navigate` to navigate in-between flows or `setActive({ redirectUrl })`.',
},
schema: [],
},
create(context) {
const sourceCode = context.getSourceCode();

return {
// Case 1: Destructuring `navigate` from `useClerk()`
VariableDeclarator(node) {
if (
node.id.type === 'ObjectPattern' && // Checks if it's an object destructuring
node.init?.type === 'CallExpression' &&
node.init.callee.name === 'useClerk'
) {
for (const property of node.id.properties) {
if (property.type === 'Property' && property.key.name === 'navigate') {
context.report({
node: property,
messageId: 'noNavigate',
});
}
}
}
},

// Case 2 & 3: Accessing `navigate` on a variable or directly calling `useClerk().navigate`
MemberExpression(node) {
if (
node.property.name === 'navigate' &&
node.object.type === 'CallExpression' &&
node.object.callee.name === 'useClerk'
) {
// Case 3: Direct `useClerk().navigate`
context.report({
node,
messageId: 'noNavigate',
});
} else if (node.property.name === 'navigate' && node.object.type === 'Identifier') {
// Case 2: `clerk.navigate` where `clerk` is assigned `useClerk()`
const scope = sourceCode.scopeManager.acquire(node);
if (!scope) return;

const variable = scope.variables.find(v => v.name === node.object.name);

if (
variable?.defs?.[0]?.node?.init?.type === 'CallExpression' &&
variable.defs[0].node.init.callee.name === 'useClerk'
) {
context.report({
node,
messageId: 'noNavigate',
});
}
}
},
};
},
};

export default tseslint.config([
{
name: 'repo/ignores',
Expand Down Expand Up @@ -285,6 +354,20 @@ export default tseslint.config([
'react-hooks/rules-of-hooks': 'warn',
},
},
{
name: 'packages/clerk-js',
files: ['packages/clerk-js/src/ui/**/*'],
plugins: {
'custom-rules': {
rules: {
'no-navigate-useClerk': noNavigateUseClerk,
},
},
},
rules: {
'custom-rules/no-navigate-useClerk': 'error',
},
},
{
name: 'packages/expo-passkeys',
files: ['packages/expo-passkeys/src/**/*'],
Expand Down
37 changes: 37 additions & 0 deletions integration/templates/react-vite/src/buttons/index.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
import { SignInButton, SignUpButton } from '@clerk/clerk-react';

export default function Home() {
return (
<main>
<SignInButton
mode='modal'
forceRedirectUrl='/protected'
signUpForceRedirectUrl='/protected'
>
Sign in button (force)
</SignInButton>

<SignInButton
mode='modal'
fallbackRedirectUrl='/protected'
>
Sign in button (fallback)
</SignInButton>

<SignUpButton
mode='modal'
forceRedirectUrl='/protected'
signInForceRedirectUrl='/protected'
>
Sign up button (force)
</SignUpButton>

<SignUpButton
mode='modal'
fallbackRedirectUrl='/protected'
>
Sign up button (fallback)
</SignUpButton>
</main>
);
}
5 changes: 5 additions & 0 deletions integration/templates/react-vite/src/main.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -18,6 +18,7 @@ import OrganizationProfile from './organization-profile';
import OrganizationList from './organization-list';
import CreateOrganization from './create-organization';
import OrganizationSwitcher from './organization-switcher';
import Buttons from './buttons';

const Root = () => {
const navigate = useNavigate();
Expand Down Expand Up @@ -68,6 +69,10 @@ const router = createBrowserRouter([
path: '/protected',
element: <Protected />,
},
{
path: '/buttons',
element: <Buttons />,
},
{
path: '/custom-user-profile/*',
element: <UserProfileCustom />,
Expand Down
5 changes: 5 additions & 0 deletions integration/testUtils/signInPageObject.ts
Original file line number Diff line number Diff line change
Expand Up @@ -24,6 +24,11 @@ export const createSignInComponentPageObject = (testArgs: TestArgs) => {
waitForMounted: (selector = '.cl-signIn-root') => {
return page.waitForSelector(selector, { state: 'attached' });
},
waitForModal: (state?: 'open' | 'closed') => {
return page.waitForSelector('.cl-modalContent:has(.cl-signIn-root)', {
state: state === 'closed' ? 'detached' : 'attached',
});
},
setIdentifier: (val: string) => {
return self.getIdentifierInput().fill(val);
},
Expand Down
5 changes: 5 additions & 0 deletions integration/testUtils/signUpPageObject.ts
Original file line number Diff line number Diff line change
Expand Up @@ -27,6 +27,11 @@ export const createSignUpComponentPageObject = (testArgs: TestArgs) => {
waitForMounted: (selector = '.cl-signUp-root') => {
return page.waitForSelector(selector, { state: 'attached' });
},
waitForModal: (state?: 'open' | 'closed') => {
return page.waitForSelector('.cl-modalContent:has(.cl-signUp-root)', {
state: state === 'closed' ? 'detached' : 'attached',
});
},
signUpWithOauth: (provider: string) => {
return page.getByRole('button', { name: new RegExp(`continue with ${provider}`, 'gi') });
},
Expand Down
6 changes: 4 additions & 2 deletions integration/testUtils/userProfilePageObject.ts
Original file line number Diff line number Diff line change
Expand Up @@ -66,8 +66,10 @@ export const createUserProfileComponentPageObject = (testArgs: TestArgs) => {
typeEmailAddress: (value: string) => {
return page.getByLabel(/Email address/i).fill(value);
},
waitForUserProfileModal: () => {
return page.waitForSelector('.cl-modalContent > .cl-userProfile-root', { state: 'visible' });
waitForUserProfileModal: (state?: 'open' | 'closed') => {
return page.waitForSelector('.cl-modalContent:has(.cl-userProfile-root)', {
state: state === 'closed' ? 'detached' : 'attached',
});
},
};
return self;
Expand Down
8 changes: 4 additions & 4 deletions integration/tests/oauth-flows.test.ts
Original file line number Diff line number Diff line change
@@ -1,10 +1,10 @@
import { test } from '@playwright/test';
import { createClerkClient } from '@clerk/backend';
import { test } from '@playwright/test';

import { appConfigs } from '../presets';
import { instanceKeys } from '../presets/envs';
import type { FakeUser } from '../testUtils';
import { createTestUtils, testAgainstRunningApps } from '../testUtils';
import { instanceKeys } from '../presets/envs';
import { createUserService } from '../testUtils/usersService';

testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('oauth flows @nextjs', ({ app }) => {
Expand Down Expand Up @@ -78,7 +78,7 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('oauth flo

await u.page.getByText('Sign in button (force)').click();

await u.po.signIn.waitForMounted();
await u.po.signIn.waitForModal();
await u.page.getByRole('button', { name: 'E2E OAuth Provider' }).click();
await u.page.getByText('Sign in to oauth-provider').waitFor();

Expand All @@ -103,7 +103,7 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('oauth flo

await u.page.getByText('Sign up button (force)').click();

await u.po.signUp.waitForMounted();
await u.po.signUp.waitForModal();
await u.page.getByRole('button', { name: 'E2E OAuth Provider' }).click();
await u.page.getByText('Sign in to oauth-provider').waitFor();

Expand Down
10 changes: 10 additions & 0 deletions integration/tests/sign-in-flow.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -40,6 +40,16 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('sign in f
await u.po.expect.toBeSignedIn();
});

test('(modal) sign in with email and instant password', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
await u.page.goToRelative('/buttons');
await u.page.getByText('Sign in button (force)').click();
await u.po.signIn.waitForModal();
await u.po.signIn.signInWithEmailAndInstantPassword({ email: fakeUser.email, password: fakeUser.password });
await u.po.expect.toBeSignedIn();
await u.po.signIn.waitForModal('closed');
});

test('sign in with email code', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
await u.po.signIn.goTo();
Expand Down
43 changes: 43 additions & 0 deletions integration/tests/sign-in-or-up-flow.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -61,6 +61,20 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withSignInOrUpFlow] })('sign-
await u.po.expect.toBeSignedIn();
});

test('(modal) sign in with email code', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
await u.page.goToRelative('/buttons');
await u.page.getByText('Sign in button (fallback)').click();
await u.po.signIn.waitForModal();
await u.po.signIn.getIdentifierInput().fill(fakeUser.email);
await u.po.signIn.continue();
await u.po.signIn.getUseAnotherMethodLink().click();
await u.po.signIn.getAltMethodsEmailCodeButton().click();
await u.po.signIn.enterTestOtpCode();
await u.po.expect.toBeSignedIn();
await u.po.signIn.waitForModal('closed');
});

test('sign in with phone number and password', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
await u.po.signIn.goTo();
Expand Down Expand Up @@ -221,6 +235,35 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withSignInOrUpFlow] })('sign-
await fakeUser.deleteIfExists();
});

test('(modal) sign up with username, email, and password', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
const fakeUser = u.services.users.createFakeUser({
fictionalEmail: true,
withPassword: true,
withUsername: true,
});

await u.page.goToRelative('/buttons');
await u.page.getByText('Sign in button (fallback)').click();
await u.po.signIn.waitForModal();
await u.po.signIn.setIdentifier(fakeUser.username);
await u.po.signIn.continue();

const prefilledUsername = u.po.signUp.getUsernameInput();
await expect(prefilledUsername).toHaveValue(fakeUser.username);

await u.po.signUp.setEmailAddress(fakeUser.email);
await u.po.signUp.setPassword(fakeUser.password);
await u.po.signUp.continue();

await u.po.signUp.enterTestOtpCode();

await u.po.expect.toBeSignedIn();
await u.po.signIn.waitForModal('closed');

await fakeUser.deleteIfExists();
});

test('sign up, sign out and sign in again', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
const fakeUser = u.services.users.createFakeUser({
Expand Down
33 changes: 32 additions & 1 deletion integration/tests/sign-up-flow.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -4,7 +4,7 @@ import { appConfigs } from '../presets';
import { createTestUtils, testAgainstRunningApps } from '../testUtils';

testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('sign up flow @generic @nextjs', ({ app }) => {
test.describe.configure({ mode: 'serial' });
test.describe.configure({ mode: 'parallel' });
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Seems to improve speed and does not cause tests to fail


test.afterAll(async () => {
await app.teardown();
Expand Down Expand Up @@ -90,6 +90,37 @@ testAgainstRunningApps({ withEnv: [appConfigs.envs.withEmailCodes] })('sign up f
await fakeUser.deleteIfExists();
});

test('(modal) can sign up with phone number', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
const fakeUser = u.services.users.createFakeUser({
fictionalEmail: true,
withPhoneNumber: true,
withUsername: true,
});

// Open modal
await u.page.goToRelative('/buttons');
await u.page.getByText('Sign up button (fallback)').click();
await u.po.signUp.waitForModal();

// Fill in sign up form
await u.po.signUp.signUp({
email: fakeUser.email,
phoneNumber: fakeUser.phoneNumber,
password: fakeUser.password,
});

// Verify email
await u.po.signUp.enterTestOtpCode();
// Verify phone number
await u.po.signUp.enterTestOtpCode();

// Check if user is signed in
await u.po.expect.toBeSignedIn();
await u.po.signUp.waitForModal('closed');
await fakeUser.deleteIfExists();
});

test('sign up with first name, last name, email, phone and password', async ({ page, context }) => {
const u = createTestUtils({ app, page, context });
const fakeUser = u.services.users.createFakeUser({
Expand Down
Loading