'userEvent in React Testing Library Doesn't Cause onClick To Be Called
I'm trying to run a really simple test with react-testing-library where a button is given a mock function, the button is clicked, and the test checks that the function was called. However, the test is currently failing because the function isn't being called. Here's the code:
import React from 'react';
import { render, screen } from '@testing-library/react';
import userEvent from '@testing-library/user-event';
describe('Button', () => {
test('eventHandler called on click', () => {
const handleClick = jest.fn();
render(
<button onClick={handleClick} type="button">
Click Me
</button>
);
userEvent.click(screen.getByRole('button'));
expect(handleClick).toHaveBeenCalledTimes(1);
});
});
No errors are thrown, the button is successfully found, but for some reason, the function doesn't register that it's been called.
Any help would be appreciated!
Solution 1:[1]
I had the same problem, fireEvent works but the recommended userEvent doesn't trigger click handler. Turned out that userEvent is async. Below is my working test case.
test('Error message should show when all fields are blank', async () => {
const user = userEvent.setup()
render(<Signup />)
await user.click(screen.getByRole('button'))
expect(screen.getByTestId('errors'))
.toHaveTextContent(dict.fields_must_not_be_empty)
})
Solution 2:[2]
Worked fine for me Make sure you install this package @testing-library/user-event @testing-library/dom
Steps:
- npx create-react-app rtl-typescript --template typescript
- npx install --save-dev @testing-library/user-event @testing-library/dom
import { render, screen } from '@testing-library/react';
import userEvent from '@testing-library/user-event';
describe('Button', () => {
test('eventHandler called on click', () => {
const handleClick = jest.fn();
render(
<button onClick={handleClick} type="button">
Click Me
</button>
);
userEvent.click(screen.getByRole('button'));
expect(handleClick).toHaveBeenCalledTimes(1);
});
});
In case needed, my package.json file dependencies
Solution 3:[3]
add a role
tag to your button
<button
onClick={handleClick}
role="button"
type="button"
>
Click Me
</button>
or use screen.getByText('Click Me')
Solution 4:[4]
This works
describe('Button', () => {
test.only('eventHandler called on click', () => {
const handleClick = jest.fn();
render(
<button onClick={handleClick} type="button">
Click Me
</button>
);
userEvent.click(screen.getByText(/Click me/i));
expect(handleClick).toHaveBeenCalledTimes(1);
});
});
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | kimkunjj |
Solution 2 | |
Solution 3 | WebbH |
Solution 4 | skethoskope |