storybook/docs/writing-tests/interaction-testing.md
Kyle Gach ec6742b1ea Update Decorators and Interaction tests pages
- Decorators
    - Focus the "context" section on only that argument
    - Move irrelevant examples and snippets to the Story rendering page
- Interaction Testing
    - Under the Write an interaction test section, add:
        - Run code before each test section
        - Mocked modules section
2024-04-16 22:04:42 -06:00

15 KiB
Raw Blame History

title
Interaction tests

As you build more complex UIs like pages, components become responsible for more than just rendering the UI. They fetch data and manage state. Interaction tests allow you to verify these functional aspects of UIs.

In a nutshell, you start by supplying the appropriate props for the initial state of a component. Then simulate user behavior such as clicks and form entries. Finally, check whether the UI and component state update correctly.

In Storybook, this familiar workflow happens in your browser. That makes it easier to debug failures because you're running tests in the same environment as you develop components: the browser.

How does component testing in Storybook work?

You start by writing a story to set up the component's initial state. Then simulate user behavior using the play function. Finally, use the test-runner to confirm that the component renders correctly and that your interaction tests with the play function pass. Additionally, you can automate test execution via the command line or in your CI environment.

  • The play function is a small snippet of code that runs after a story finishes rendering. You can use this to test user workflows.
  • The test is written using Storybook-instrumented versions of Vitest and Testing Library coming from the @storybook/test package.
  • @storybook/addon-interactions visualizes the test in Storybook and provides a playback interface for convenient browser-based debugging.
  • @storybook/test-runner is a standalone utility—powered by Jest and Playwright—that executes all of your interactions tests and catches broken stories.

Set up the interactions addon

To enable interaction testing with Storybook, you'll need to take additional steps to set it up properly. We recommend you go through the test runner documentation before proceeding with the rest of the required configuration.

Run the following command to install the interactions addon and related dependencies.

<CodeSnippets paths={[ 'common/storybook-addon-interactions-addon-full-install.yarn.js.mdx', 'common/storybook-addon-interactions-addon-full-install.npm.js.mdx', 'common/storybook-addon-interactions-addon-full-install.pnpm.js.mdx', ]} />

Update your Storybook configuration (in .storybook/main.js|ts) to include the interactions addon.

<CodeSnippets paths={[ 'common/storybook-interactions-addon-registration.js.mdx', 'common/storybook-interactions-addon-registration.ts.mdx', ]} />

Write an interaction test

The test itself is defined inside a play function connected to a story. Here's an example of how to set up an interaction test with Storybook and the play function:

<CodeSnippets paths={[ 'react/login-form-with-play-function.js.mdx', 'react/login-form-with-play-function.ts.mdx', 'angular/login-form-with-play-function.ts.mdx', 'vue/login-form-with-play-function.js.mdx', 'vue/login-form-with-play-function.ts.mdx', 'web-components/login-form-with-play-function.js.mdx', 'web-components/login-form-with-play-function.ts.mdx', 'svelte/login-form-with-play-function.js.mdx', 'svelte/login-form-with-play-function.ts.mdx', 'solid/login-form-with-play-function.js.mdx', 'solid/login-form-with-play-function.ts.mdx', ]} usesCsf3 csf2Path="writing-tests/interaction-testing#snippet-login-form-with-play-function" />

Once the story loads in the UI, it simulates the user's behavior and verifies the underlying logic.

Run code before each test

It can be helpful to run code before each test to set up the initial state of the component or reset the state of modules. You can do this by adding an async beforeEach function to the meta in your stories file. This function will run before each test in the story file.

// Page.stories.tsx
import { Meta, StoryObj } from '@storybook/react';
import { fn } from '@storybook/test';

import { getUserFromSession } from '#api/session.mock';
import { Page } from './Page';

const meta: Meta<typeof Page> = {
  component: Page,
  async beforeEach() {
    // 👇 Do this for each story
    // TK
    // 👇 Clear the mock between stories
    getUserFromSession.mockClear();
  },
};
export default meta;

type Story = StoryObj<typeof Page>;

export const Default: Story = {
  // TK
};

API for user-events

Under the hood, Storybooks @storybook/test package provides Testing Librarys user-events APIs. If youre familiar with Testing Library, you should be at home in Storybook.

Below is an abridged API for user-event. For more, check out the official user-event docs.

User events Description
clear Selects the text inside inputs, or textareas and deletes it
userEvent.clear(await within(canvasElement).getByRole('myinput'));
click Clicks the element, calling a click() function
userEvent.click(await within(canvasElement).getByText('mycheckbox'));
dblClick Clicks the element twice
userEvent.dblClick(await within(canvasElement).getByText('mycheckbox'));
deselectOptions Removes the selection from a specific option of a select element
userEvent.deselectOptions(await within(canvasElement).getByRole('listbox'),'1');
hover Hovers an element
userEvent.hover(await within(canvasElement).getByTestId('example-test'));
keyboard Simulates the keyboard events
userEvent.keyboard(foo);
selectOptions Selects the specified option, or options of a select element
userEvent.selectOptions(await within(canvasElement).getByRole('listbox'),['1','2']);
type Writes text inside inputs, or textareas
userEvent.type(await within(canvasElement).getByRole('my-input'),'Some text');
unhover Unhovers out of element
userEvent.unhover(await within(canvasElement).getByLabelText(/Example/i));

Assert tests with Vitest's APIs

Storybooks @storybook/test also provides APIs from Vitest, such as expect and vi.fn. These APIs improve your testing experience, helping you assert whether a function has been called, if an element exists in the DOM, and much more. If you are used to expect from testing packages such as Jest or Vitest, you can write interaction tests in much the same way.

<CodeSnippets paths={[ 'angular/storybook-interactions-play-function.ts.mdx', 'web-components/storybook-interactions-play-function.js.mdx', 'web-components/storybook-interactions-play-function.ts.mdx', 'common/storybook-interactions-play-function.js.mdx', 'common/storybook-interactions-play-function.ts.mdx', ]} usesCsf3 csf2Path="essentials/interactions#snippet-storybook-interactions-play-function" />

Group interactions with the step function

For complex flows, it can be worthwhile to group sets of related interactions together using the step function. This allows you to provide a custom label that describes a set of interactions:

<CodeSnippets paths={[ 'angular/storybook-interactions-step-function.ts.mdx', 'web-components/storybook-interactions-step-function.js.mdx', 'web-components/storybook-interactions-step-function.ts.mdx', 'common/storybook-interactions-step-function.js.mdx', 'common/storybook-interactions-step-function.ts.mdx', ]} usesCsf3 csf2Path="writing-tests/interaction-testing#snippet-storybook-interactions-step-function" />

This will show your interactions nested in a collapsible group:

Interaction testing with labeled steps

Mocked modules

If your component depends on modules that are imported into the component file, you can mock those modules to control and assert on their behavior. This is detailed in the mocking modules guide.

You can then import the mocked module (which has all of the helpful methods of a Vitest mocked function) into your story and use it to assert on the behavior of your component:

// NoteUI.stories.tsx
import { Meta, StoryObj } from '@storybook/react';
import { expect, userEvent, within } from '@storybook/test';

import { saveNote } from '#app/actions.mock';
import { createNotes } from '#mocks/notes';
import NoteUI from './note-ui';

const meta = {
  title: 'Mocked/NoteUI',
  component: NoteUI,
} satisfies Meta<typeof NoteUI>;
export default meta;

type Story = StoryObj<typeof meta>;

const notes = createNotes();

export const SaveFlow: Story = {
  name: 'Save Flow ▶',
  args: {
    isEditing: true,
    note: notes[0],
  },
  play: async ({ canvasElement, step }) => {
    const canvas = within(canvasElement);

    const saveButton = canvas.getByRole('menuitem', { name: /done/i });
    await userEvent.click(saveButton);
    // 👇 This is the mock function, so you can assert its behavior
    await expect(saveNote).toHaveBeenCalled();
  },
};

Interactive debugger

If you check your interactions panel, you'll see the step-by-step flow. It also offers a handy set of UI controls to pause, resume, rewind, and step through each interaction.

The play function is executed after the story is rendered. If theres an error, itll be shown in the interaction addon panel to help with debugging.

Since Storybook is a webapp, anyone with the URL can reproduce the error with the same detailed information without any additional environment configuration or tooling required.

Interaction testing with a component

Streamline interaction testing further by automatically publishing Storybook in pull requests. That gives teams a universal reference point to test and debug stories.

Execute tests with the test-runner

Storybook only runs the interaction test when you're viewing a story. Therefore, you'd have to go through each story to run all your checks. As your Storybook grows, it becomes unrealistic to review each change manually. Storybook test-runner automates the process by running all tests for you. To execute the test-runner, open a new terminal window and run the following command:

<CodeSnippets paths={[ 'common/test-runner-execute.yarn.js.mdx', 'common/test-runner-execute.npm.js.mdx', 'common/test-runner-execute.pnpm.js.mdx', ]} />

Interaction test with test runner

If you need, you can provide additional flags to the test-runner. Read the documentation to learn more.

Automate

Once you're ready to push your code into a pull request, you'll want to automatically run all your checks using a Continuous Integration (CI) service before merging it. Read our documentation for a detailed guide on setting up a CI environment to run tests.

Troubleshooting

The TypeScript types aren't recognized

If you're writing interaction tests with TypeScript, you may run into a situation where the TypeScript types aren't recognized in your IDE. This a known issue with newer package managers (e.g., pnpm, Yarn) and how they hoist dependencies. If you're working with Yarn the process happens automatically and the types should be recognized. However, if you're working with pnpm, you'll need to create a .npmrc file in the root of your project and add the following:

// .npmrc
public-hoist-pattern[]=@types*

If you're still encountering issues, you can always add the @types/testing-library__jest-dom package to your project.


Whats the difference between interaction tests and visual tests?

Interaction tests can be expensive to maintain when applied wholesale to every component. We recommend combining them with other methods like visual testing for comprehensive coverage with less maintenance work.

What's the difference between interaction tests and using Jest + Testing Library alone?

Interaction tests integrate Jest and Testing Library into Storybook. The biggest benefit is the ability to view the component you're testing in a real browser. That helps you debug visually, instead of getting a dump of the (fake) DOM in the command line or hitting the limitations of how JSDOM mocks browser functionality. It's also more convenient to keep stories and tests together in one file than having them spread across files.

Learn about other UI tests