• Blog
  • Documentation
  • Courses
  • Changelog
  • AI Starters
  • UI Kit
  • FAQ
  • Supamode
    New
  • Pricing

Launch your next SaaS in record time with Makerkit, a React SaaS Boilerplate for Next.js and Supabase.

Makerkit is a product of Makerkit Pte Ltd (registered in the Republic of Singapore)Company Registration No: 202407149CFor support or inquiries, please contact us

About
  • FAQ
  • Contact
  • Verify your Discord
  • Consultation
  • Open Source
  • Become an Affiliate
Product
  • Documentation
  • Blog
  • Changelog
  • UI Blocks
  • Figma UI Kit
  • AI SaaS Starters
License
  • Activate License
  • Upgrade License
  • Invite Member
Legal
  • Terms of License

Programmatic Authentication with Firebase and Cypress

Aug 15, 2022

Testing Cypress can require your test users sign-in programmatically. In this article, we show you how to sign in users with Firebase and Cypress without using the UI.

testing
cypress
firebase
auth

While Cypress has greatly simplified E2E testing for developers, it can still be tricky at times. For example, a best practice while running E2E testing is bypassing the UI when testing pages behind user authentication.

The Cypress team, in particular, has long advocated for programmatically authenticating users when testing code not related to the authentication flow. For example, if you are testing your Dashboard code, there is no need to use the UI to authenticate your users: this will only result in slower, heavier and more flaky E2E tests.

In this post, we show you how to sign in programmatically with Firebase Authentication to improve the speed of your Cypress tests and increase their reliability.

Adding a Cypress command to sign-in programmatically

Cypress allows us to write global commands that we can access using the cy variable, which is globally available in all our Cypress tests.

To do so, we will extend Cypress commands with a new command we will name signIn, and will be available to us using cy.signIn(). Neat, isn't it?

First of all, we want to play nice with Typescript. That means we extend the Typescript's interface in a filename we name global.d.ts:

global.d.ts
namespace Cypress {
interface Chainable {
signIn(
redirectPath?: string,
credentials?: { email: string; password: string }
): void;
}
}
}

Now, we can extend Cypress with a custom command named signIn. To do so, we add a command using the method Cypress.Commands.add:

commands.ts
Cypress.Commands.add(
'signIn',
(
redirectPath = '/',
credentials = {
email: Cypress.env(`EMAIL`) as string,
password: Cypress.env(`PASSWORD`) as string,
}
) => {
// body
}
);

The above function takes two parameters:

  1. A path where to redirect users after signing in
  2. The user credentials, but by providing some default values using environment variables

Let's now write the body of the function:

tsx
// preserve the session cookie between tests
// otherwise the user will get logged out
Cypress.Cookies.defaults({
preserve: ['session'],
});
// the function we will define to sign users in
signInProgrammatically(credentials); // <--- implementation is below
// after sign-in, we redirect the users to the provided path
cy.visit(redirectPath);

Signing in using Cypress sessions

If you are using Cypress 12, you will need to use cy.session. The cy.session command will preserve the session cookie between tests, otherwise, the user will get logged out.

tsx
Cypress.Commands.add(
'signIn',
(
redirectPath = '/',
credentials = {
email: Cypress.env(`EMAIL`) as string,
password: Cypress.env(`PASSWORD`) as string,
}
) => {
cy.session([credentials.email, credentials.password],
() => {
signInProgrammatically(credentials);
}
);
cy.visit(redirectPath);
}
);

Using the Firebase Auth SDK to authenticate users in Cypress E2E tests

To sign our testing users in without having to interact with the application's UI, we will use the Firebase SDK.

Connecting to the Firebase Auth Emulator

Of course, when running tests, we will be connecting to the Firebase Emulator.

Below is a function getAuth that will initialize the Firebase SDK and return an instance of the Firebase Auth SDK connected to the local Firebase Emulator:

tsx
import {
Auth,
connectAuthEmulator,
initializeAuth,
signInWithEmailAndPassword,
UserCredential,
indexedDBLocalPersistence,
} from 'firebase/auth';
function getAuthEmulatorHost() {
const host = Cypress.env('NEXT_PUBLIC_FIREBASE_EMULATOR_HOST') as string;
const port = Cypress.env('NEXT_PUBLIC_FIREBASE_AUTH_EMULATOR_PORT') as string;
return ['http://', host, ':', port].join('');
}
let auth: Auth;
function getAuth() {
const app = createFirebaseApp();
auth =
auth ||
initializeAuth(app, {
persistence: indexedDBLocalPersistence,
});
connectAuthEmulator(auth, getAuthEmulatorHost());
return auth;
}

Signing users in

Now that we can create an instance of the Firebase Auth SDK connected to the emulators, we can use it to sign users in programmatically:

tsx
export function signInProgrammatically({
email,
password,
}: {
email: string;
password: string;
}) {
const auth = getAuth();
const signIn = signInWithEmailAndPassword(
auth,
email,
password
)
.catch((e) => {
cy.log(`User could not sign in programmatically!`);
console.error(e);
});
return cy.wrap(signIn);
}

Finally, the signInProgrammatically function completes the cy.signIn() command defined in the beginning.

Writing a Test that signs users in programmatically

Whenever you write tests that require users to be signed in, you can write the below:

tsx
describe(`Create Invite`, () => {
const email = `invited-member@makerkit.dev`;
before(() => {
cy.signIn(`/settings/organization/members`);
});
// your tests go here
});

As you can see, we can pass any path to the signIn function: after signing in, we redirect the users directly to that page, rather than having to use the UI. This will dramatically improve your E2E tests' speed and make them more reliable. Regardless, no need to test the authentication page over and over!

Some other posts you might like...
Dec 21, 2024Smoke Testing Your SaaS: A Practical Guide for FoundersLearn how to implement effective smoke testing for your SaaS application. This guide covers essential test scenarios, implementation strategies, and best practices to quickly verify core functionality.
Dec 20, 2024End-to-End Testing Your SaaS with Playwright: A Comprehensive GuideThis comprehensive article teaches end-to-end testing using Playwright, based on real-world examples from a Next.js SaaS application. You'll learn industry best practices, test architecture patterns, and practical implementation strategies.
Dec 18, 2022Programmatic Authentication with Supabase and CypressTesting code that requires users to be signed in can be tricky. In this post, we show you how to sign in programmatically with Supabase Authentication to improve the speed of your Cypress tests and increase their reliability.
Dec 17, 2022How to reduce and boost your Firebase cold start timesFirebase cold start times are a common problem for developers. In this tutorial, we'll show you how to reduce and boost your Firebase cold start times.
Dec 17, 2022Reset the Supabase Database in CypressResetting your database during E2E tests is important to prevent flakiness. In this tutorial, we'll show you how to reset the Supabase database in Cypress E2E tests.
Dec 6, 2022Authenticating users with Remix and SupabaseLearn how to use Remix and Supabase to authenticate users in your application.