Testing Library fireEvent vs userEvent
TLDR: Use userEvent
for representing user input. Use fireEvent
for special circumstances involving events.
See the Testing Library docs on user-event
Ensure @testing-library/user-event
is installed before trying to use this.
npm install -D @testing-library/user-event
Usage
Testing Library recommends calling userEvent.setup()
before rendering in your test cases.
import userEvent from '@testing-library/user-event';
test('i clicka da button', async () => {
const user = userEvent.setup();
render(<DaButton />);
const daButtonElement = screen.getByRole('button');
await user.click(daButtonElement);
expect(somethingCool).not.isUndefined()l
});
They also suggest using a setup()
function to do this:
const setup = (ui) => ({
user: userEvent.setup(),
...render(ui),
});
fireEvent
fireEvent
came first, and uses the regular generic dispatchEvent()
API to fire an event on an element in the DOM. And only that event.
So to click a button in Testing Library:
const submitButton = screen.getByRole("button", { name: "Submit" });
// Click that thang!
fireEvent.click(submitButton);
Why userEvent?
When a real user does something in their browser (say, clicking a button), they're not just firing a single click
.
They're doing all kinds of stuff, a mouseOver
, a focus
, a blur
on a parent element, etc.
userEvent
attempts to mimic this behaviour, instead of just firing a single event.