In my latest blog, I successfully navigated through the steps of setting up an Expo Monorepo with Nx. The next challenge? Testing! This blog dives into:
- Crafting effective unit tests for Expo components utilizing Jest
- Addressing common issues encountered during unit testing
Repo:
Example repository/xiongemi/nx-expo-monorepo
Stacks
Here’s my setup
- Testing framework: jest
- Testing library: @testing-library/react-native
- Jest Preset: jest-expo
Writing and Running Unit Tests
When you use Nx, it not only configures and sets up Jest, but also creates a default unit test for every expo component that is being generated. Here’s what that looks like:
1import { render } from '@testing-library/react-native';
2import React from 'react';
3
4import Loading from './loading';
5
6describe('Loading', () => {
7 it('should render successfully', () => {
8 const { root } = render(<Loading />);
9 expect(root).toBeTruthy();
10 });
11});
12
To run all unit tests for a given project, use:
❯
npx nx test <project-name>
Here’s the output of running this for my example app:
When it comes to writing tests, the React Native Testing Library is a game-changer for writing cleaner unit tests in React Native applications. Its intuitive query API simplifies the process of selecting elements within your components, making it straightforward to write more maintainable and readable tests. You mark elements with a testID
1<Headline testID="title">{film.title}</Headline>
2
Then in the test file, you can use the function getByTestId
to query testID
:
1const { getByTestId } = render(<your component>);
2expect(getByTestId('title')).toHaveTextContent(...);
3
You can find more options for querying elements on the official React Native Testing Library docs: https://callstack.github.io/react-native-testing-library/docs/api-queries.
Troubleshooting Common Issues When Writing Tests
However, unit tests do not always pass. Here are some common errors I ran into and how to resolve them.
Error: AsyncStorage is null.
I am using the library @react-native-async-storage/async-storage
, and I got the below error when running unit testing:
❯
\[@RNC/AsyncStorage\]: NativeModule: AsyncStorage is null.
❯
To fix this issue try these steps:
❯
• Rebuild and restart the app.
❯
• Run the packager with \`--reset-cache\` flag.
❯
• If you are using CocoaPods on iOS, run \`pod install\` in the \`ios\` directory and then rebuild and re-run the app.
❯
• If this happens while testing with Jest, check out docs how to integrate AsyncStorage with it: https://react-native-async-storage.github.io/async-storage/docs/advanced/jest
❯
If none of these fix the issue, please open an issue on the Github repository: https://github.com/react-native-async-storage/async-storage/issues
❯
5 | import { ReactQueryDevtools } from '@tanstack/react-query-devtools';
❯
6 | import { Platform } from 'react-native';
❯
> 7 | import AsyncStorage from '@react-native-async-storage/async-storage';
The issue is that @react-native-async-storage/async-storage
library can only be used in NativeModule
. Since unit testing with Jest only tests JS/TS file logic, I need to mock this library.
In the app’s test-setup.ts file, add the below lines:
1jest.mock('@react-native-async-storage/async-storage', () =>
2 require('@react-native-async-storage/async-storage/jest/async-storage-mock')
3);
4
Error: Could not find “store”
I am using Redux for state management, and I got this error for my stateful components:
1Could not find "store" in the context of "Connect(Bookmarks)". Either wrap the root component in a <Provider>, or pass a custom React context provider to <Provider> and the corresponding React context consumer to Connect(Bookmarks) in connect options.
2
To fix this, the simple way is to mock a redux store. I need to install redux-mock-store and its typing:
❯
npm install redux-mock-store @types/redux-mock-store --save-dev
Then I can create a mock store using this library like the below code:
1import configureStore, { MockStoreEnhanced } from 'redux-mock-store';
2
3 const mockStore = configureStore<any>(\[\]);
4
5 let store: MockStoreEnhanced<any>;
6
7 beforeEach(() => {
8 store = mockStore({});
9 store.dispatch = jest.fn();
10 });
11
For example, one of my stateful components’ unit test will become:
1import React from 'react';
2import { render } from '@testing-library/react-native';
3import { Provider } from 'react-redux';
4import configureStore, { MockStoreEnhanced } from 'redux-mock-store';
5import { RootState, initialRootState } from '@nx-expo-monorepo/states/cat';
6
7import Bookmarks from './bookmarks';
8
9describe('Bookmarks', () => {
10 const mockStore = configureStore<RootState>(\[\]);
11
12 let store: MockStoreEnhanced<RootState>;
13
14 beforeEach(() => {
15 store = mockStore(initialRootState);
16 store.dispatch = jest.fn();
17 });
18
19 it('should render successfully', () => {
20 const { container } = render(
21 <Provider store={store}>
22 <Bookmarks />
23 </Provider>
24 );
25 expect(container).toBeTruthy();
26 });
27});
28
The above code will apply the initial redux state to my components.
Error: No QueryClient set
Because I use TanStack Query , when I run unit tests, I have this error:
1No QueryClient set, use QueryClientProvider to set one
2
This error occurred because I used useQuery
from @tanstack/react-query
in my component; however, in this unit test, the context of this hook is not provided.
To solve this, I can just mock the useQuery
function:
1import * as ReactQuery from '@tanstack/react-query';
2
3jest.spyOn(ReactQuery, 'useQuery').mockImplementation(
4 jest.fn().mockReturnValue({
5 data: 'random cat fact',
6 isLoading: false,
7 isSuccess: true,
8 refetch: jest.fn(),
9 isFetching: false,
10 isError: false,
11 })
12);
13
Error: Couldn’t find a navigation object
If you use @react-navigation
library for navigation, and inside your component, there are hooks from this library like useNavigation
and useRoute
, you are likely to get this error:
1Couldn't find a navigation object. Is your component inside NavigationContainer?
2
The fix this, I need to mock the @react-nativgation/native
library. In the app’s test-setup.ts file, I need to add:
1jest.mock('@react-navigation/native', () => {
2 return {
3 useNavigation: () => ({
4 navigate: jest.fn(),
5 dispatch: jest.fn(),
6 setOptions: jest.fn(),
7 }),
8 useRoute: () => ({
9 params: {
10 id: '123',
11 },
12 }),
13 };
14});
15
SyntaxError: Unexpected token ‘export’
I got this error when using a library with ECMAScript Module (ESM), such as [udid](https://github.com/uuidjs/uuid)
:
1 /Users/emilyxiong/Code/nx-expo-monorepo/node\_modules/uuid/dist/esm-browser/index.js:1
2 ({"Object.<anonymous>":function(module,exports,require,\_\_dirname,\_\_filename,jest){export { default as v1 } from './v1.js';
3 ^^^^^^
4
5 SyntaxError: Unexpected token 'export'
6
7 5 | import { connect } from 'react-redux';
8 6 | import 'react-native-get-random-values';
9 > 7 | import { v4 as uuidv4 } from 'uuid';
10
Jest does not work with ESM out of the box. The simple solution is to map this library to the CommonJS version of this library.
In the app’s jest.config.ts
, there should be an option called moduleNameMapper
. The library I used is called uuid
, so I need to add the map uuid: require.resolve(‘uuid’)
under moduleNameMapper
. So when the code encounters imports from uuid
library, it will resolve the CommonJS version of it:
1module.exports = {
2 moduleNameMapper: {
3 uuid: require.resolve('uuid'),
4 },
5};
6
Alternatively, I can also mock this library in the test files:
1import { v4 as uuidv4 } from 'uuid';
2
3jest.mock('uuid', () => {
4 return {
5 v4: jest.fn(() => 1),
6 };
7});
8
Error: Jest encountered an unexpected token
I got this error when I was importing from a library such as react-native-vector-icons:
1 console.error
2 Jest encountered an unexpected token
3
4 Jest failed to parse a file. This happens e.g. when your code or its dependencies use non-standard JavaScript syntax, or when Jest is not configured to support such syntax.
5
6 Out of the box Jest supports Babel, which will be used to transform your files into valid JS based on your Babel configuration.
7
8 By default "node\_modules" folder is ignored by transformers.
9
10 Here's what you can do:
11 • If you are trying to use ECMAScript Modules, see https://jestjs.io/docs/ecmascript-modules for how to enable it.
12 • If you are trying to use TypeScript, see https://jestjs.io/docs/getting-started#using-typescript
13 • To have some of your "node\_modules" files transformed, you can specify a custom "transformIgnorePatterns" in your config.
14 • If you need a custom transformation specify a "transform" option in your config.
15 • If you simply want to mock your non-JS modules (e.g. binary assets) you can stub them out with the "moduleNameMapper" config option.
16
17 You'll find more details and examples of these config options in the docs:
18 https://jestjs.io/docs/configuration
19 For information about custom transformations, see:
20 https://jestjs.io/docs/code-transformation
21
To fix this, add this library name to transformIgnorePatterns
in the app's jest.config.ts.
What is transformIgnorePatterns
? The transformIgnorePatterns
allows developers to specify which files shall be transformed by Babel. transformIgnorePatterns
is an array of regexp pattern strings that should be matched against all source file paths before the transformation. If the file path matches any patterns, it will not be transformed by Babel.
By default, Jest will ignore all the files under node_modules and only transform the files under the project’s src.
However, some libraries such as react-native-paper
or react-native-svg
, the library files are in .ts
or .tsx
. These files are not compiled to js
. So I need to add these libraries' names to transformIgnorePatterns
, so these libraries will be transformed by Babel along with my project. source file. The default generated jest.config.js
already has:
1transformIgnorePatterns: \[
2 'node\_modules/(?!((jest-)?react-native|@react-native(-community)?)|expo(nent)?|@expo(nent)?/.\*|@expo-google-fonts/.\*|react-navigation|@react-navigation/.\*|@unimodules/.\*|unimodules|sentry-expo|native-base|react-native-svg)',
3\]
4
If I have an error related to a library with an unexpected token, I need to check whether they are compiled or not.
- If this library source files are already transformed to
.js
, then its name should match regex, so it would be ignored, so it will NOT be transformed. - If this library source files are NOT transformed to
.js
(e.g. still in.ts
or.tsx
), then its name should NOT match regex, so it will be transformed.
Summary
Here are some common errors that I will probably run into while doing unit testing. The solution to most problems is to find a way to mock a library that is not relevant to my component logic.
With Nx, you do not need to explicitly install any testing library, so you can dive right in and focus on writing the tests rather than spending time on setup.