Turn your manual testers into automation experts Request a DemoStart testRigor Free

Next.js Testing

Overview of Next.js

Next.js is a versatile React framework that offers you the components required to develop fast and robust web applications. As a framework, Next.js manages the necessary tooling and configuration for React, while supplying added structure, features, and optimizations for your application. This framework enables the creation of web and mobile applications with ease across various platforms, such as Windows, Linux, and macOS.

Next.js facilitates three distinct rendering methods:
  • Server-Side Rendering: In this method, HTML page components are generated before the response is sent to the client. This occurs for every request.
  • Static Site Generation: With static sites, HTML is produced at build time and reused for each request. This rendering approach is ideal for creating static websites and blogs.
  • Client-Side Rendering: In this case, rendering takes place on the client or user machine, with no server activity involved.

For more information on Next.js, refer to the following link.

Next.js testing essentials

Next.js is a renowned framework for building websites and web applications. Nonetheless, it is crucial to perform website testing for Next.js and its enterprise applications, along with their bundled components. Testing ensures that product requirements and related scenarios are thoroughly tested before deployment on the production server. Additionally, testing verifies code changes on the staging or pre-production server before implementation on the customer site.

Some key aspects that testing can assist with include:
  • Maintaining code quality
  • Ensuring key performance metrics meet expectations
  • Verifying and validating test cases for each component
  • Facilitating collaboration among necessary teams and stakeholders if testing requirements are met

Possible challenges in Next.js testing

  • Since it is JavaScript-based, and JS variables can hold any data type value, this can result in disorder in the codebase, leading to numerous bugs and decreased productivity.
  • A minor code change can cause performance issues. Carelessness regarding server-side rendering may lead to increased service costs.
  • Working knowledge of React and Next.js is required before writing test cases.
  • Version upgrades are inevitable, and without a clear strategy, it can be difficult to maintain backward compatibility and efficiently conduct upgrade testing.
  • Next.js automation testing can be challenging without prior knowledge or experience.

Primary types of testing that you can cover

Other types of testing that you can cover

  • Native mobile apps testing
  • Cross-browser testing

Unit Testing

Unit testing involves testing individual code units that can be logically isolated in a system to determine if they function as intended. Unit tests are faster and can help detect early faults in the code, which may be more challenging to identify in later testing stages.

How to perform unit testing in Next.js?

Using Jest and React Testing libraries, unit testing can be conducted on JavaScript files.

Jest - Jest is a testing platform capable of adapting to any JavaScript library or framework, designed to ensure the correctness of any JavaScript codebase. Jest and React Testing Libraries are used in conjunction for unit testing. Jest functions as a pure JavaScript function runner: it takes a function, runs it in an isolated environment with a user-defined configuration, and compares the function's behavior to the expected outcome.

React - React Testing consists of a set of packages that help test UI components in a user-defined manner. React Testing Library is a lightweight solution for testing React components. It offers light utility functions on top of react-dom and react-dom/test-utils, leading to better testing practices. In this case, tests will work with actual DOM nodes rather than instances of rendered React components. The utilities this library provides support DOM querying in the same way a user would.

For more details on Jest and React-based unit testing, refer to the following link.

Sample unit test code for Jest runner:
import sum from './math.js';

describe('sum', () => {
  it('sums of two values', () => {
    expect(sum(2, 4)).toBe(6);
  });

  it('product of two values', () => {
    expect(sum(4, 3)).toBe(12);
  });
});

Above example uses describe () and it () function where describe (): acts as test suites and it (): acts as test cases. Here there are no react components used. In addition, Jest offers assertions which are implemented using expect().

Sample unit test code for React and Jest

Below is a sample unit test code for a Next.js application using React and Jest. In this example, we will test a simple Counter component that allows users to increment and decrement a counter value.

First, let's create the Counter component in components/Counter.js:
import React, { useState } from 'react';

const Counter = () => {
  const [count, setCount] = useState(0);
  
  return (
    <div>
      <h2 data-testid="counter-value">Count: {count}</h2>
      <button data-testid="increment-button" onClick={() => setCount(count + 1)}>
        Increment
      </button>
      <button data-testid="decrement-button" onClick={() => setCount(count - 1)}>
        Decrement
      </button>
    </div>
  );
};

export default Counter;
Next, let's create a test file components/Counter.test.js:
import React from 'react';
import { render, fireEvent, screen } from '@testing-library/react';
import Counter from './Counter';

describe('Counter component', () => {
  it('renders initial counter value', () => {
    render(<Counter />);

    expect(screen.getByTestId('counter-value')).toHaveTextContent('Count: 0');
  });

  it('increments the counter value when the increment button is clicked', () => {
    render(<Counter />);

    fireEvent.click(screen.getByTestId('increment-button'));

    expect(screen.getByTestId('counter-value')).toHaveTextContent('Count: 1');
  });

  it('decrements the counter value when the decrement button is clicked', () => {
    render(<Counter />);

    fireEvent.click(screen.getByTestId('decrement-button'));

    expect(screen.getByTestId('counter-value')).toHaveTextContent('Count: -1');
  });
});

In this test file, we use the render function from the @testing-library/react package to render the Counter component. We then use the fireEvent function to simulate user interactions, such as clicking the increment and decrement buttons. Finally, we use the screen object to access the DOM elements and assert that they have the expected content after the interactions.

Integration Testing

Integration testing is the process of testing the interactions between different units or components in a system. This type of testing ensures that individual components work together correctly when combined, and helps identify issues that may arise from their integration.

How to perform integration testing in Next.js?

  • Integration testing at the API layer. For example, a 401/404 is logged for unauthorized access when the server cannot find the resources being requested by the client.
  • Integration testing can also be performed at the user interface level (which can also be part of E2E testing) which we’ll discuss in the following section.
  • Integration testing can be performed at the database layer, like validating that the data is correctly fetched from and written to the database through API calls.
  • Testing interactions between layers, such as middleware, services, and controllers.

Sample integration code at the API layer

In this example, we will test a simple Next.js API route for adding two numbers.

First, let's create the API route in pages/api/add.js:
export default async function handler(req, res) {
  const { method, query: { a, b } } = req;

  if (method !== 'GET') {
    res.status(405).json({ message: 'Method not allowed' });
    return;
  }

  if (!a || !b) {
    res.status(400).json({ message: 'Both parameters "a" and "b" are required' });
    return;
  }

  const result = parseInt(a) + parseInt(b);

  res.status(200).json({ result });
}
Now let's create a test file pages/api/add.test.js:
import { createMocks } from 'node-mocks-http';
import addHandler from './add';

describe('/api/add', () => {
  it('adds two numbers correctly', async () => {
    const { req, res } = createMocks({
      method: 'GET',
      query: { a: '3', b: '4' },
    });

    await addHandler(req, res);

    expect(res._getStatusCode()).toBe(200);
    expect(res._getJSONData()).toEqual({ result: 7 });
  });

  it('returns 400 if one or both parameters are missing', async () => {
    const { req, res } = createMocks({
      method: 'GET',
      query: { a: '3' },
    });

    await addHandler(req, res);

    expect(res._getStatusCode()).toBe(400);
    expect(res._getJSONData()).toEqual({ message: 'Both parameters "a" and "b" are required' });
  });

  it('returns 405 if the method is not GET', async () => {
    const { req, res } = createMocks({
      method: 'POST',
      query: { a: '3', b: '4' },
    });

    await addHandler(req, res);

    expect(res._getStatusCode()).toBe(405);
    expect(res._getJSONData()).toEqual({ message: 'Method not allowed' });
  });
});

In this test file, we use the createMocks function from the node-mocks-http package to create mock req and res objects. We then pass these objects to the addHandler function and assert that the returned response has the expected status code and JSON content based on the input query parameters and method.

The res object in the node-mocks-http package has helper methods such as _getStatusCode() and _getJSONData() to retrieve the response status code and JSON data for testing purposes.

End-to-end testing

End-to-end testing is a comprehensive testing approach that validates the correct functioning of an application from start to finish. This testing method simulates real-world user scenarios and ensures that the application behaves as expected, from the user interface to the backend systems.

How to perform end-to-end testing in Next.js?

You can create automated end-to-end tests using the following ways:

Cypress

Cypress is a popular end-to-end testing framework for Next.js applications. It allows you to write tests for your entire application, including the frontend and backend. With Cypress, you can simulate user actions and verify that your application works as expected from the user's perspective. Refer here.

Sample end-to-end test code for Cypress:
describe('Counter App', () => {
  beforeEach(() => {
    cy.visit('/');
  });
  
  it('should display the initial counter value', () => {
    cy.get('[data-testid="counter"]').contains('0');
  });
  
  it('should increment the counter when the button is clicked', () => {
    cy.get('[data-testid="increment-button"]').click();
    cy.get('[data-testid="counter"]').contains('1');
  });
});

Playwright

Playwright helps to execute E2E tests on browsers like Chrome, Edge, Firefox, Opera, and Safari. It’s a platform-independent tool that can work with most operating systems. Playwright has useful features like auto-wait, parallel executions, and trace viewer. Refer here.

Sample end-to-end test code for Playwright:
import { test, expect } from '@playwright/test'
const { default: Input } = require("../src/components/Input");

test('should navigate to the about page', async ({ page }) => {
  await page.goto('http://localhost:3000/')
  await page.click('text=About Page')
  await expect(page).toHaveURL('/about')
  await expect(page.locator('h1')).toContainText('About Page')
  const getStarted = page.locator("text=Get Started");
  await expect(getStarted).toHaveAttribute("href", "http://localhost:3000");
  await getStarted.click();
  const inputField = await page.locator("id=nameInput");
  await inputField.fill("test feature");
  await expect(inputField).toHaveValue("test feature");
  await page.screenshot({ path: "screenshot/inputField.png" });
})

testRigor

testRigor is one of the easiest and most advanced tools for end-to-end testing. It is a cloud-based AI-driven system that empowers anyone to write complex tests using no code. Tests are so stable that some teams even use them for monitoring, and test maintenance takes minimal time compared to Cypress or Playwright.

testRigor tests most accurately represent end-to-end tests on the UI level, since they do not rely on underlying implementation details, as you can see from an example below.

Sample end-to-end test code for testRigor:
check that page contains "QA Playground"
scroll down until page contains "Tags Input Box"
click on "Tags Input Box"
check that page contains "Tags"
enter the value "web3.0"
enter enter 
click on "Click Me!" on the right of "web3.0"
enter the value "hello"
enter the value ","
enter the value "world"
enter the value ","
enter enter 
check that page contains "6 tags are remaining"
You can easily automate testing across multiple browsers and devices with testRigor. Here're some example of the tests you can create in testRigor for you Next.js application:

Recap and conclusion

A robust testing strategy in Next.js applications should include unit, integration, and end-to-end tests to ensure that your application works as expected at every level. This comprehensive approach to testing will help you catch potential bugs and issues before they make their way to production, ultimately leading to a more reliable and high-quality application.

Here are some general tips to improve your testing approach in Next.js:
  • Adopt a consistent naming convention for your test files. Typically, developers use the format [ComponentName].test.js for unit and integration tests, and [FeatureName].spec.js for end-to-end tests.
  • Strive for high test coverage, meaning that a significant portion of your application's code is covered by tests. This can help you catch issues early on and give you confidence in the stability of your application. However, don't get too focused on achieving 100% coverage, as it may not always be possible or valuable.
  • Integrate your testing strategy with a continuous integration (CI) pipeline. This ensures that your tests are automatically run whenever you make changes to your code, helping you catch issues before they are merged into the main codebase.
  • When writing tests, focus on the most common user scenarios and critical application paths. This helps you ensure that the most important parts of your application are thoroughly tested and working as expected.
  • When testing components in isolation, it's essential to mock or stub any external dependencies, such as API calls. This ensures that your tests remain focused on the component being tested and are not affected by external factors.
  • As your application evolves, it's crucial to keep your tests up to date. Regularly review and update your test suite to ensure it remains relevant and effective at catching issues in your application.

By following these best practices and leveraging the powerful tools and libraries available for Next.js, you can build a robust testing strategy that helps ensure the reliability, stability, and overall quality of your web applications.