
Frontend developers often work on projects with no tests or so few that they make little difference. In this article, we’ll explore how to get the maximum impact from tests with minimal effort, why the classic testing pyramid doesn’t always fit frontend development, and which practices help test web applications effectively without unnecessary hassle.
Before we dive into testing, let's try to understand what parts a typical frontend application consists of. This will help us know what exactly we want to test in it and what kind of tests we should focus on. Let's consider a fairly typical frontend application built on React.
Modern web applications' frontend code consists of fairly standard parts. Many complex tasks (such as data fetching, state management, and component libraries) are solved using well-established tools. Where should we focus our testing efforts? Should we verify that the UI renders correctly? Or should we concentrate on ensuring that components behave as intended? Is it worth writing tests for API calls and response handling? And what about state management—should we test how the application's state changes in response to different user actions?
Let's start by looking at the main types of testing and try to determine where to focus most of our effort.
The traditional model used in automated testing is called the testing pyramid.
The basic idea of the pyramid is that tests closer to the base (unit tests) are the easiest to implement and run, so they are usually the most numerous. Tests at the top of the pyramid (E2E) are more complex, slower, and generally fewer than the others.
In practice, strictly following this model is not always practical, especially for frontend development. Which tests are essential, and which can be skipped? Let’s try to figure it out.
Sometimes, the project team deliberately decides not to use automated tests on the frontend. This happens in quite different projects, and there may be several reasons. For example, in startups at a very early stage, the main thing is to release the product as soon as possible. In legacy projects, where there may be a culture of doing without tests, the code base has grown without test coverage from the beginning, and it is difficult and costly to introduce new tests, so the status quo is maintained.
In such cases, we can ensure product quality and ease of development by setting up the following essential tools in the project:
This approach won't make your app bug-free, but it will increase the development productivity and allow the team to respond more quickly to issues that arise in the product.
Sooner or later, the application's complexity will grow so great that manual regression testing before each release will be too time-consuming. At that point, we will return to the idea of automated testing and will have to choose which type of tests to focus on first.
If we talk about practical frontend testing, the most valuable and effective kind is E2E testing, and here is why:
Several popular tools for E2E Testing exist: Playwright, Cypress, and the slightly more outdated Selenium and Puppeteer. These tools allow you to implement tests to check user stories.
A good practice is to use the Page Object pattern, which allows you to remove common elements and page actions from the test code. Fixing the PageObject code without touching the test code will be enough if the page changes.
import { test, expect } from '@playwright/test';
test.use({ storageState: 'playwright/.auth/user.json' });
import cases from './__fixtures__/case-users.json';
import { CasesPage } from './page-objects/CasePage';
test('cases: search find known case by name', async ({ page }) => {
const casesPage = new CasesPage(page);
await casesPage.goto()
await casesPage.search(cases.slava.searchQuery);
await expect(page.getByText(cases.slava.name)).toBeVisible();
await casesPage.getCaseLinkByName(cases.slava.name).click();
await expect(page.getByText('Profile')).toBeVisible();
});
Which parts of the application should you cover with E2E tests first?
Despite the tremendous advantages of E2Es, there are several challenges when using it:
Sometimes, E2E testing is challenging to implement because of the problems with the data. For example, we don't know how to restore DB from snapshots yet (backend devs and DevOps promise to fix it tomorrow). Or the application uses a 3rd-party API, which we cannot use in our tests. In such a case, the simple and efficient way out is to turn the E2E test into an integration test where some or all network calls are mocked.
Let's take our E2E test and rewrite it so that it accesses the mock API instead of the actual backend.
import { test, expect } from '@playwright/test';
test.use({ storageState: 'playwright/.auth/user.json' });
import casesList from './__fixtures__/case-list.json';
import { CasesPage } from './page-objects/CasePage';
test('cases: search find known case by name', async ({ page }) => {
await page.route('/api/cases', async (route) => {
await route.fulfill({ json: casesList });
});
const firstCase = casesList[0];
const casesPage = new CasesPage(page);
await casesPage.goto()
await casesPage.search(firstCase.searchQuery);
await expect(page.getByText(firstCase.name)).toBeVisible();
await casesPage.getCaseLinkByName(firstCase.name).click();
await expect(page.getByText('Profile')).toBeVisible();
});
In fact, this test is almost identical to our E2E test, except that we control the API data source. You can use playwright’s built-in page.route
hook, or mocking libraries such as msw to intercept api requests.
Let's see which features of our test have changed and which have not. We still test our application through a user's POV in a real browser.
The tests use the same set of tools: playwright/cypress. But now we are testing the frontend in isolation from the backend:
However, we must ensure the mock API does not diverge from the actual backend.
It is worth remembering that integration tests have lower reliability guarantees than E2E tests, as they test only the frontend, not the entire stack.
After all this, it may seem that unit tests on the frontend do not play a significant role. However, there are cases when you can't do without them.
How can we minimize the number of unit tests without sacrificing product quality? The guiding principle is to test only what is of real value and is not covered by other types of tests.
Efficient frontend testing does not mean implementing a large number of tests and aiming for abstract coverage metrics. On the contrary, the key is a deliberate approach and the ability to highlight critical scenarios and sections of the application.
Remember, practical testing is not about quantity; it is about focusing on what's most important.