Вирішення проблем
Йой, щось пішло не так? Використайте цю інструкцію, щоб розв'язати проблеми з Jest.
Тести падають і ви не знаєте чому
Спробуйте використати вбудовану в Node налагоджувальну підтримку. Розмістіть debugger; виклик в будь-якому вашому тестів, і тоді в директорії вашого проекту запустіть:
node --inspect-brk node_modules/.bin/jest --runInBand [any other arguments here]
або для Windows
node --inspect-brk ./node_modules/jest/bin/jest.js --runInBand [any other arguments here]
This will run Jest in a Node process that an external debugger can connect to. Note that the process will pause until the debugger has connected to it.
To debug in Google Chrome (or any Chromium-based browser), open your browser and go to chrome://inspect and click on "Open Dedicated DevTools for Node", which will give you a list of available node instances you can connect to. Click on the address displayed in the terminal (usually something like localhost:9229) after running the above command, and you will be able to debug Jest using Chrome's DevTools.
The Chrome Developer Tools will be displayed, and a breakpoint will be set at the first line of the Jest CLI script (this is done to give you time to open the developer tools and to prevent Jest from executing before you have time to do so). Click the button that looks like a "play" button in the upper right hand side of the screen to continue execution. When Jest executes the test that contains the debugger statement, execution will pause and you can examine the current scope and call stack.
Параметр cli --runInBand слідкує, щоб Jest запускав тестування в одному й тому ж процесі, а не запускав власні процеси для окремих тестів. Normally Jest parallelizes test runs across processes but it is hard to debug many processes at the same time.
Налагодження в VS Code
There are multiple ways to debug Jest tests with Visual Studio Code's built-in debugger.
To attach the built-in debugger, run your tests as aforementioned:
node --inspect-brk node_modules/.bin/jest --runInBand [any other arguments here]
або для Windows
node --inspect-brk ./node_modules/jest/bin/jest.js --runInBand [any other arguments here]
Then attach VS Code's debugger using the following launch.json config:
{
  "version": "0.2.0",
  "configurations": [
    {
      "type": "node",
      "request": "attach",
      "name": "Attach",
      "port": 9229
    }
  ]
}
To automatically launch and attach to a process running your tests, use the following configuration:
{
  "version": "0.2.0",
  "configurations": [
    {
      "name": "Debug Jest Tests",
      "type": "node",
      "request": "launch",
      "runtimeArgs": [
        "--inspect-brk",
        "${workspaceRoot}/node_modules/.bin/jest",
        "--runInBand"
      ],
      "console": "integratedTerminal",
      "internalConsoleOptions": "neverOpen"
    }
  ]
}
or the following for Windows:
{
  "version": "0.2.0",
  "configurations": [
    {
      "name": "Debug Jest Tests",
      "type": "node",
      "request": "launch",
      "runtimeArgs": [
        "--inspect-brk",
        "${workspaceRoot}/node_modules/jest/bin/jest.js",
        "--runInBand"
      ],
      "console": "integratedTerminal",
      "internalConsoleOptions": "neverOpen"
    }
  ]
}
If you are using Facebook's create-react-app, you can debug your Jest tests with the following configuration:
{
  "version": "0.2.0",
  "configurations": [
    {
      "name": "Debug CRA Tests",
      "type": "node",
      "request": "launch",
      "runtimeExecutable": "${workspaceRoot}/node_modules/.bin/react-scripts",
      "args": [
        "test",
        "--runInBand",
        "--no-cache",
        "--env=jsdom",
        "--watchAll=false"
      ],
      "cwd": "${workspaceRoot}",
      "console": "integratedTerminal",
      "internalConsoleOptions": "neverOpen"
    }
  ]
}
More information on Node debugging can be found here.
Налагодження в WebStorm
WebStorm has built-in support for Jest. Read Testing With Jest in WebStorm to learn more.
Проблеми з кешуванням
The transform script was changed or Babel was updated and the changes aren't being recognized by Jest?
Retry with --no-cache. Jest caches transformed module files to speed up test execution. If you are using your own custom transformer, consider adding a getCacheKey function to it: getCacheKey in Relay.
Невирішені проміси
If a promise doesn't resolve at all, this error might be thrown:
- Error: Timeout - Async callback was not invoked within timeout specified by jasmine.DEFAULT_TIMEOUT_INTERVAL.`
Most commonly this is being caused by conflicting Promise implementations. Consider replacing the global promise implementation with your own, for example globalThis.Promise = jest.requireActual('promise'); and/or consolidate the used Promise libraries to a single one.
If your test is long running, you may want to consider to increase the timeout by calling jest.setTimeout
jest.setTimeout(10000); // timeout дорівнює 10 секунд
Проблеми з watchman
Try running Jest with --no-watchman or set the watchman configuration option to false.
Також див. виправлення неполадок watchman.
Надзвичайно повільні тести на Docker та/або сервері Continuous Integration (CI)
While Jest is most of the time extremely fast on modern multi-core computers with fast SSDs, it may be slow on certain setups as our users have discovered.
Based on the findings, one way to mitigate this issue and improve the speed by up to 50% is to run tests sequentially.
In order to do this you can run tests in the same thread using --runInBand:
- npm
- Yarn
- pnpm
# Використання Jest CLI
jest --runInBand
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --runInBand
# Використання Jest CLI
jest --runInBand
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --runInBand
# Використання Jest CLI
jest --runInBand
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --runInBand
Another alternative to expediting test execution time on Continuous Integration Servers such as Travis-CI is to set the max worker pool to ~4. Specifically on Travis-CI, this can reduce test execution time in half. Note: The Travis CI free plan available for open source projects only includes 2 CPU cores.
- npm
- Yarn
- pnpm
# Використання Jest CLI
jest --maxWorkers=4
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --maxWorkers=4
# Використання Jest CLI
jest --maxWorkers=4
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --maxWorkers=4
# Використання Jest CLI
jest --maxWorkers=4
# Використання `test` скрипту вашого менеджера пакетів (наприклад, з create-react-app)
yarn test --maxWorkers=4
If you use GitHub Actions, you can use github-actions-cpu-cores to detect number of CPUs, and pass that to Jest.
- name: Get number of CPU cores
  id: cpu-cores
  uses: SimenB/github-actions-cpu-cores@v1
- name: run tests
  run: yarn jest --max-workers ${{ steps.cpu-cores.outputs.count }}
Another thing you can do is use the shard flag to parallelize the test run across multiple machines.
coveragePathIgnorePatterns ні на що не впливає
Make sure you are not using the babel-plugin-istanbul plugin. Jest wraps Istanbul, and therefore also tells Istanbul what files to instrument with coverage collection. When using babel-plugin-istanbul, every file that is processed by Babel will have coverage collection code, hence it is not being ignored by coveragePathIgnorePatterns.
Визначення тестів
Tests must be defined synchronously for Jest to be able to collect your tests.
As an example to show why this is the case, imagine we wrote a test like so:
// Don't do this it will not work
setTimeout(() => {
  it('passes', () => expect(1).toBe(1));
}, 0);
When Jest runs your test to collect the tests it will not find any because we have set the definition to happen asynchronously on the next tick of the event loop. Це означає, що при використанні test.each ви не можете асинхронно встановлювати таблицю в межах beforeEach / beforeAll.
Все ще невирішені?
Дивіться в допомозі.