From 5d483ce07e450d7c1148ac961877ff0ac46f39a9 Mon Sep 17 00:00:00 2001 From: Nicolas Charpentier Date: Thu, 6 Jan 2022 11:25:45 -0500 Subject: [PATCH 01/99] chore: remove .react from React files (#12223) --- docs/SnapshotTesting.md | 8 ++++---- docs/TutorialReact.md | 2 +- examples/snapshot/{Clock.react.js => Clock.js} | 0 examples/snapshot/{Link.react.js => Link.js} | 0 .../{clock.react.test.js.snap => clock.test.js.snap} | 0 .../{link.react.test.js.snap => link.test.js.snap} | 0 .../__tests__/{clock.react.test.js => clock.test.js} | 2 +- .../__tests__/{link.react.test.js => link.test.js} | 2 +- website/blog/2016-07-27-jest-14.md | 4 ++-- website/versioned_docs/version-25.x/SnapshotTesting.md | 10 +++++----- website/versioned_docs/version-25.x/TutorialReact.md | 2 +- website/versioned_docs/version-26.x/SnapshotTesting.md | 6 +++--- website/versioned_docs/version-26.x/TutorialReact.md | 2 +- website/versioned_docs/version-27.0/SnapshotTesting.md | 6 +++--- website/versioned_docs/version-27.0/TutorialReact.md | 2 +- website/versioned_docs/version-27.1/SnapshotTesting.md | 6 +++--- website/versioned_docs/version-27.1/TutorialReact.md | 2 +- website/versioned_docs/version-27.2/SnapshotTesting.md | 6 +++--- website/versioned_docs/version-27.2/TutorialReact.md | 2 +- website/versioned_docs/version-27.4/SnapshotTesting.md | 6 +++--- website/versioned_docs/version-27.4/TutorialReact.md | 2 +- 21 files changed, 35 insertions(+), 35 deletions(-) rename examples/snapshot/{Clock.react.js => Clock.js} (100%) rename examples/snapshot/{Link.react.js => Link.js} (100%) rename examples/snapshot/__tests__/__snapshots__/{clock.react.test.js.snap => clock.test.js.snap} (100%) rename examples/snapshot/__tests__/__snapshots__/{link.react.test.js.snap => link.test.js.snap} (100%) rename examples/snapshot/__tests__/{clock.react.test.js => clock.test.js} (90%) rename examples/snapshot/__tests__/{link.react.test.js => link.test.js} (97%) diff --git a/docs/SnapshotTesting.md b/docs/SnapshotTesting.md index 4222621f2219..73966e7f4d63 100644 --- a/docs/SnapshotTesting.md +++ b/docs/SnapshotTesting.md @@ -9,12 +9,12 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; import renderer from 'react-test-renderer'; -import Link from '../Link.react'; +import Link from '../Link'; it('renders correctly', () => { const tree = renderer @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -227,7 +227,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/docs/TutorialReact.md b/docs/TutorialReact.md index 5fcfa52a098b..9b5ce3d25b88 100644 --- a/docs/TutorialReact.md +++ b/docs/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/examples/snapshot/Clock.react.js b/examples/snapshot/Clock.js similarity index 100% rename from examples/snapshot/Clock.react.js rename to examples/snapshot/Clock.js diff --git a/examples/snapshot/Link.react.js b/examples/snapshot/Link.js similarity index 100% rename from examples/snapshot/Link.react.js rename to examples/snapshot/Link.js diff --git a/examples/snapshot/__tests__/__snapshots__/clock.react.test.js.snap b/examples/snapshot/__tests__/__snapshots__/clock.test.js.snap similarity index 100% rename from examples/snapshot/__tests__/__snapshots__/clock.react.test.js.snap rename to examples/snapshot/__tests__/__snapshots__/clock.test.js.snap diff --git a/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap b/examples/snapshot/__tests__/__snapshots__/link.test.js.snap similarity index 100% rename from examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap rename to examples/snapshot/__tests__/__snapshots__/link.test.js.snap diff --git a/examples/snapshot/__tests__/clock.react.test.js b/examples/snapshot/__tests__/clock.test.js similarity index 90% rename from examples/snapshot/__tests__/clock.react.test.js rename to examples/snapshot/__tests__/clock.test.js index a001ce248355..59f91386f597 100644 --- a/examples/snapshot/__tests__/clock.react.test.js +++ b/examples/snapshot/__tests__/clock.test.js @@ -3,7 +3,7 @@ 'use strict'; import React from 'react'; -import Clock from '../Clock.react'; +import Clock from '../Clock'; import renderer from 'react-test-renderer'; jest.useFakeTimers(); diff --git a/examples/snapshot/__tests__/link.react.test.js b/examples/snapshot/__tests__/link.test.js similarity index 97% rename from examples/snapshot/__tests__/link.react.test.js rename to examples/snapshot/__tests__/link.test.js index 69a9160528e1..a86738d0b181 100644 --- a/examples/snapshot/__tests__/link.react.test.js +++ b/examples/snapshot/__tests__/link.test.js @@ -3,7 +3,7 @@ 'use strict'; import React from 'react'; -import Link from '../Link.react'; +import Link from '../Link'; import renderer from 'react-test-renderer'; it('renders correctly', () => { diff --git a/website/blog/2016-07-27-jest-14.md b/website/blog/2016-07-27-jest-14.md index 47f8d97a4838..27786ef5db6e 100644 --- a/website/blog/2016-07-27-jest-14.md +++ b/website/blog/2016-07-27-jest-14.md @@ -11,7 +11,7 @@ One of the big open questions was how to write React tests efficiently. There ar -Together with the React team we created a new test renderer for React and added snapshot testing to Jest. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/Link.react-test.js) for a simple [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +Together with the React team we created a new test renderer for React and added snapshot testing to Jest. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/Link.test.js) for a simple [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```javascript import renderer from 'react-test-renderer'; @@ -23,7 +23,7 @@ test('Link renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/Link.react-test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/Link.test.js.snap) that looks like this: ```javascript exports[`Link renders correctly 1`] = ` diff --git a/website/versioned_docs/version-25.x/SnapshotTesting.md b/website/versioned_docs/version-25.x/SnapshotTesting.md index 7cdc045d0446..098999f03736 100644 --- a/website/versioned_docs/version-25.x/SnapshotTesting.md +++ b/website/versioned_docs/version-25.x/SnapshotTesting.md @@ -9,12 +9,12 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; import renderer from 'react-test-renderer'; -import Link from '../Link.react'; +import Link from '../Link'; it('renders correctly', () => { const tree = renderer @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](https://jestjs.io/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -231,7 +231,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-25.x/TutorialReact.md b/website/versioned_docs/version-25.x/TutorialReact.md index 39d0eaa01018..5cb37d5a8a51 100644 --- a/website/versioned_docs/version-25.x/TutorialReact.md +++ b/website/versioned_docs/version-25.x/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/website/versioned_docs/version-26.x/SnapshotTesting.md b/website/versioned_docs/version-26.x/SnapshotTesting.md index 7cdc045d0446..887232836dac 100644 --- a/website/versioned_docs/version-26.x/SnapshotTesting.md +++ b/website/versioned_docs/version-26.x/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](https://jestjs.io/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -231,7 +231,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-26.x/TutorialReact.md b/website/versioned_docs/version-26.x/TutorialReact.md index 39d0eaa01018..5cb37d5a8a51 100644 --- a/website/versioned_docs/version-26.x/TutorialReact.md +++ b/website/versioned_docs/version-26.x/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/website/versioned_docs/version-27.0/SnapshotTesting.md b/website/versioned_docs/version-27.0/SnapshotTesting.md index 4222621f2219..fa1639e2eebd 100644 --- a/website/versioned_docs/version-27.0/SnapshotTesting.md +++ b/website/versioned_docs/version-27.0/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -227,7 +227,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-27.0/TutorialReact.md b/website/versioned_docs/version-27.0/TutorialReact.md index 5fcfa52a098b..9b5ce3d25b88 100644 --- a/website/versioned_docs/version-27.0/TutorialReact.md +++ b/website/versioned_docs/version-27.0/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/website/versioned_docs/version-27.1/SnapshotTesting.md b/website/versioned_docs/version-27.1/SnapshotTesting.md index 4222621f2219..fa1639e2eebd 100644 --- a/website/versioned_docs/version-27.1/SnapshotTesting.md +++ b/website/versioned_docs/version-27.1/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -227,7 +227,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-27.1/TutorialReact.md b/website/versioned_docs/version-27.1/TutorialReact.md index 5fcfa52a098b..9b5ce3d25b88 100644 --- a/website/versioned_docs/version-27.1/TutorialReact.md +++ b/website/versioned_docs/version-27.1/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/website/versioned_docs/version-27.2/SnapshotTesting.md b/website/versioned_docs/version-27.2/SnapshotTesting.md index 4222621f2219..fa1639e2eebd 100644 --- a/website/versioned_docs/version-27.2/SnapshotTesting.md +++ b/website/versioned_docs/version-27.2/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -227,7 +227,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-27.2/TutorialReact.md b/website/versioned_docs/version-27.2/TutorialReact.md index 5fcfa52a098b..9b5ce3d25b88 100644 --- a/website/versioned_docs/version-27.2/TutorialReact.md +++ b/website/versioned_docs/version-27.2/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { diff --git a/website/versioned_docs/version-27.4/SnapshotTesting.md b/website/versioned_docs/version-27.4/SnapshotTesting.md index 4222621f2219..fa1639e2eebd 100644 --- a/website/versioned_docs/version-27.4/SnapshotTesting.md +++ b/website/versioned_docs/version-27.4/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.react.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -41,7 +41,7 @@ exports[`renders correctly 1`] = ` The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. -> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.react.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. @@ -227,7 +227,7 @@ The goal is to make it easy to review snapshots in pull requests, and fight agai Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. -For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.react.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: ```js Date.now = jest.fn(() => 1482363367071); diff --git a/website/versioned_docs/version-27.4/TutorialReact.md b/website/versioned_docs/version-27.4/TutorialReact.md index 5fcfa52a098b..9b5ce3d25b88 100644 --- a/website/versioned_docs/version-27.4/TutorialReact.md +++ b/website/versioned_docs/version-27.4/TutorialReact.md @@ -58,7 +58,7 @@ module.exports = { Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: -```tsx title="Link.react.js" +```tsx title="Link.js" import React, {useState} from 'react'; const STATUS = { From 5f71f86cea60d72b6f0528abe78736605224cc6b Mon Sep 17 00:00:00 2001 From: Benjamin Gruenbaum Date: Mon, 24 Jan 2022 23:15:55 +0200 Subject: [PATCH 02/99] fix(docs) clarify expect.any (#12266) --- docs/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-25.x/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-26.x/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-27.0/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-27.1/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-27.2/ExpectAPI.md | 13 ++++++++++++- website/versioned_docs/version-27.4/ExpectAPI.md | 13 ++++++++++++- 7 files changed, 84 insertions(+), 7 deletions(-) diff --git a/docs/ExpectAPI.md b/docs/ExpectAPI.md index bef99cce8ab5..e495a8ab34e6 100644 --- a/docs/ExpectAPI.md +++ b/docs/ExpectAPI.md @@ -348,9 +348,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-25.x/ExpectAPI.md b/website/versioned_docs/version-25.x/ExpectAPI.md index 44974ca9c411..3322114f3ea2 100644 --- a/website/versioned_docs/version-25.x/ExpectAPI.md +++ b/website/versioned_docs/version-25.x/ExpectAPI.md @@ -313,9 +313,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-26.x/ExpectAPI.md b/website/versioned_docs/version-26.x/ExpectAPI.md index a66d982bbba3..87421d0cd477 100644 --- a/website/versioned_docs/version-26.x/ExpectAPI.md +++ b/website/versioned_docs/version-26.x/ExpectAPI.md @@ -313,9 +313,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-27.0/ExpectAPI.md b/website/versioned_docs/version-27.0/ExpectAPI.md index dbb2337e69ca..6670b3764fa2 100644 --- a/website/versioned_docs/version-27.0/ExpectAPI.md +++ b/website/versioned_docs/version-27.0/ExpectAPI.md @@ -348,9 +348,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-27.1/ExpectAPI.md b/website/versioned_docs/version-27.1/ExpectAPI.md index eddf1bec562e..2c25a76592dc 100644 --- a/website/versioned_docs/version-27.1/ExpectAPI.md +++ b/website/versioned_docs/version-27.1/ExpectAPI.md @@ -348,9 +348,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-27.2/ExpectAPI.md b/website/versioned_docs/version-27.2/ExpectAPI.md index eddf1bec562e..2c25a76592dc 100644 --- a/website/versioned_docs/version-27.2/ExpectAPI.md +++ b/website/versioned_docs/version-27.2/ExpectAPI.md @@ -348,9 +348,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } diff --git a/website/versioned_docs/version-27.4/ExpectAPI.md b/website/versioned_docs/version-27.4/ExpectAPI.md index bef99cce8ab5..e495a8ab34e6 100644 --- a/website/versioned_docs/version-27.4/ExpectAPI.md +++ b/website/versioned_docs/version-27.4/ExpectAPI.md @@ -348,9 +348,20 @@ test('map calls its argument with a non-null argument', () => { ### `expect.any(constructor)` -`expect.any(constructor)` matches anything that was created with the given constructor. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: ```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + function randocall(fn) { return fn(Math.floor(Math.random() * 6 + 1)); } From 2d8c7c0ee98642f1b5f046aaa98afdb9c01791c0 Mon Sep 17 00:00:00 2001 From: Antoine du Hamel Date: Fri, 28 Jan 2022 08:35:11 +0100 Subject: [PATCH 03/99] jest-environment-node: add `atob` and `btoa` (#12269) --- CHANGELOG.md | 2 ++ packages/jest-environment-node/src/index.ts | 5 +++++ 2 files changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2cdded6df47d..09a785d68a7a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,8 @@ ### Fixes +- `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) + ### Chore & Maintenance - `[*]` Update graceful-fs to ^4.2.9 ([#11749](https://github.com/facebook/jest/pull/11749)) diff --git a/packages/jest-environment-node/src/index.ts b/packages/jest-environment-node/src/index.ts index 385821e810d4..27b65b5add37 100644 --- a/packages/jest-environment-node/src/index.ts +++ b/packages/jest-environment-node/src/index.ts @@ -82,6 +82,11 @@ class NodeEnvironment implements JestEnvironment { if (typeof performance !== 'undefined') { global.performance = performance; } + // atob and btoa are global in Node >= 16 + if (typeof atob !== 'undefined' && typeof btoa !== 'undefined') { + global.atob = atob; + global.btoa = btoa; + } installCommonGlobals(global, config.globals); this.moduleMocker = new ModuleMocker(global); From a7e73d2356598a03bbaa0a1227a6edbcf1485e11 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Jes=C3=BAs=20Legan=C3=A9s-Combarro?= Date: Fri, 28 Jan 2022 08:36:50 +0100 Subject: [PATCH 04/99] chore: clean up links in changelog (#12272) --- CHANGELOG.md | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 09a785d68a7a..f49ce88b1936 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1430,7 +1430,7 @@ We skipped 24.2.0 because a draft was accidentally published. Please use `24.3.0 - `[jest-haste-map]` Add `getCacheFilePath` to get the path to the cache file for a `HasteMap` instance ([#7217](https://github.com/facebook/jest/pull/7217)) - `[jest-runtime]` Remove `cacheDirectory` from `ignorePattern` for `HasteMap` if not necessary ([#7166](https://github.com/facebook/jest/pull/7166)) - `[jest-validate]` Add syntax to validate multiple permitted types ([#7207](https://github.com/facebook/jest/pull/7207)) -- `[jest-config]` Accept an array as as well as a string for `testRegex` ([#7209]https://github.com/facebook/jest/pull/7209)) +- `[jest-config]` Accept an array as as well as a string for `testRegex` ([#7209](https://github.com/facebook/jest/pull/7209)) - `[expect/jest-matcher-utils]` Improve report when assertion fails, part 4 ([#7241](https://github.com/facebook/jest/pull/7241)) - `[expect/jest-matcher-utils]` Improve report when assertion fails, part 5 ([#7557](https://github.com/facebook/jest/pull/7557)) - `[expect]` Check constructor equality in .toStrictEqual() ([#7005](https://github.com/facebook/jest/pull/7005)) @@ -1688,7 +1688,7 @@ We skipped 24.2.0 because a draft was accidentally published. Please use `24.3.0 ### Chore & Maintenance -- `[website]` Switch domain to https://jestjs.io ([#6549](https://github.com/facebook/jest/pull/6549)) +- `[website]` Switch domain to ([#6549](https://github.com/facebook/jest/pull/6549)) - `[tests]` Improve stability of `yarn test` on Windows ([#6534](https://github.com/facebook/jest/pull/6534)) - `[*]` Transpile object shorthand into Node 4 compatible syntax ([#6582](https://github.com/facebook/jest/pull/6582)) - `[*]` Update all legacy links to jestjs.io ([#6622](https://github.com/facebook/jest/pull/6622)) @@ -2201,7 +2201,7 @@ We skipped 24.2.0 because a draft was accidentally published. Please use `24.3.0 - `[jest-util]` `jest-util` should not depend on `jest-mock` ([#4992](https://github.com/facebook/jest/pull/4992)) - `[*]` [**BREAKING**] Drop support for Node.js version 4 ([#4769](https://github.com/facebook/jest/pull/4769)) - `[docs]` Wrap code comments at 80 characters ([#4781](https://github.com/facebook/jest/pull/4781)) -- `[eslint-plugin-jest]` Removed from the Jest core repo, and moved to https://github.com/jest-community/eslint-plugin-jest ([#4867](https://github.com/facebook/jest/pull/4867)) +- `[eslint-plugin-jest]` Removed from the Jest core repo, and moved to ([#4867](https://github.com/facebook/jest/pull/4867)) - `[babel-jest]` Explicitly bump istanbul to newer versions ([#4616](https://github.com/facebook/jest/pull/4616)) - `[expect]` Upgrade mocha and rollup for browser testing ([#4642](https://github.com/facebook/jest/pull/4642)) - `[docs]` Add info about `coveragePathIgnorePatterns` ([#4602](https://github.com/facebook/jest/pull/4602)) @@ -2599,7 +2599,7 @@ We skipped 24.2.0 because a draft was accidentally published. Please use `24.3.0 ## jest 18.0.0 -See https://jestjs.io/blog/2016/12/15/2016-in-jest +See - The testResultsProcessor function is now required to return the modified results. - Removed `pit` and `mockImpl`. Use `it` or `mockImplementation` instead. @@ -2736,7 +2736,7 @@ See https://jestjs.io/blog/2016/12/15/2016-in-jest ## jest 15.0.0 -- See https://jestjs.io/blog/2016/09/01/jest-15 +- See - Jest by default now also recognizes files ending in `.spec.js` and `.test.js` as test files. - Completely replaced most Jasmine matchers with new Jest matchers. - Rewrote Jest's CLI output for test failures and summaries. @@ -2830,7 +2830,7 @@ See https://jestjs.io/blog/2016/12/15/2016-in-jest - Added `jest-resolve` as a standalone package based on the Facebook module resolution algorithm. - Added `jest-changed-files` as a standalone package to detect changed files in a git or hg repo. - Added `--setupTestFrameworkFile` to cli. -- Added support for coverage thresholds. See https://jestjs.io/docs/configuration#coveragethreshold-object. +- Added support for coverage thresholds. See . - Updated to jsdom 9.0. - Updated and improved stack trace reporting. - Added `module.filename` and removed the invalid `module.__filename` field. @@ -2850,7 +2850,7 @@ See https://jestjs.io/blog/2016/12/15/2016-in-jest ## jest-cli 12.0.0 -- Reimplemented `node-haste` as `jest-haste-map`: https://github.com/facebook/jest/pull/896 +- Reimplemented `node-haste` as `jest-haste-map`: - Fixes for the upcoming release of nodejs 6. - Removed global mock caching which caused negative side-effects on test runs. - Updated Jasmine from 2.3.4 to 2.4.1. @@ -2933,9 +2933,9 @@ See https://jestjs.io/blog/2016/12/15/2016-in-jest - Fixed a memory leak with test contexts. Jest now properly cleans up test environments after each test. Added `--logHeapUsage` to log memory usage after each test. Note: this is option is meant for debugging memory leaks and might significantly slow down your test run. - Removed `mock-modules`, `node-haste` and `mocks` virtual modules. This is a breaking change of undocumented public API. Usage of this API can safely be automatically updated through an automated codemod: -- Example: http://astexplorer.net/#/zrybZ6UvRA -- Codemod: https://github.com/cpojer/js-codemod/blob/main/transforms/jest-update.js -- jscodeshift: https://github.com/facebook/jscodeshift +- Example: +- Codemod: +- jscodeshift: - Removed `navigator.onLine` and `mockSetReadOnlyProperty` from the global jsdom environment. Use `window.navigator.onLine = true;` in your test setup and `Object.defineProperty` instead. ## 0.6.1 From 81854a8527d5ec48ca51879e311e03771e5bc1c0 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Fri, 28 Jan 2022 14:44:38 +0530 Subject: [PATCH 05/99] chore: Fix typo in tests (#12255) --- e2e/__tests__/__snapshots__/listTests.test.ts.snap | 6 +++--- e2e/__tests__/listTests.test.ts | 2 +- e2e/__tests__/transform.test.ts | 2 +- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/e2e/__tests__/__snapshots__/listTests.test.ts.snap b/e2e/__tests__/__snapshots__/listTests.test.ts.snap index 3c12f33eab07..45e85ad0206a 100644 --- a/e2e/__tests__/__snapshots__/listTests.test.ts.snap +++ b/e2e/__tests__/__snapshots__/listTests.test.ts.snap @@ -1,8 +1,8 @@ // Jest Snapshot v1, https://goo.gl/fbAQLP exports[`--listTests flag causes tests to be printed in different lines 1`] = ` -/MOCK_ABOLUTE_PATH/e2e/list-tests/__tests__/dummy.test.js -/MOCK_ABOLUTE_PATH/e2e/list-tests/__tests__/other.test.js +/MOCK_ABSOLUTE_PATH/e2e/list-tests/__tests__/dummy.test.js +/MOCK_ABSOLUTE_PATH/e2e/list-tests/__tests__/other.test.js `; -exports[`--listTests flag causes tests to be printed out as JSON when using the --json flag 1`] = `["/MOCK_ABOLUTE_PATH/e2e/list-tests/__tests__/dummy.test.js","/MOCK_ABOLUTE_PATH/e2e/list-tests/__tests__/other.test.js"]`; +exports[`--listTests flag causes tests to be printed out as JSON when using the --json flag 1`] = `["/MOCK_ABSOLUTE_PATH/e2e/list-tests/__tests__/dummy.test.js","/MOCK_ABSOLUTE_PATH/e2e/list-tests/__tests__/other.test.js"]`; diff --git a/e2e/__tests__/listTests.test.ts b/e2e/__tests__/listTests.test.ts index 66ff464681e3..a10bae735eed 100644 --- a/e2e/__tests__/listTests.test.ts +++ b/e2e/__tests__/listTests.test.ts @@ -14,7 +14,7 @@ const testRootDir = path.resolve(__dirname, '..', '..'); const normalizePaths = (rawPaths: string) => rawPaths .split(testRootDir) - .join(`${path.sep}MOCK_ABOLUTE_PATH`) + .join(`${path.sep}MOCK_ABSOLUTE_PATH`) .split('\\') .join('/'); diff --git a/e2e/__tests__/transform.test.ts b/e2e/__tests__/transform.test.ts index 5e088066e7d7..2d2e67c7ce2e 100644 --- a/e2e/__tests__/transform.test.ts +++ b/e2e/__tests__/transform.test.ts @@ -112,7 +112,7 @@ describe('custom transformer', () => { 'transform/custom-instrumenting-preprocessor', ); - it('proprocesses files', () => { + it('preprocesses files', () => { const {json, stderr} = runWithJson(dir, ['--no-cache']); expect(stderr).toMatch(/FAIL/); expect(stderr).toMatch(/instruments by setting.*global\.__INSTRUMENTED__/); From 056e5ef9df2aca0108c6abc90a9113822d7848c8 Mon Sep 17 00:00:00 2001 From: Omar R Date: Fri, 28 Jan 2022 11:15:58 +0200 Subject: [PATCH 06/99] chore: correct example test link (#12234) --- docs/SnapshotTesting.md | 2 +- website/blog/2016-07-27-jest-14.md | 4 ++-- website/versioned_docs/version-26.x/SnapshotTesting.md | 4 ++-- website/versioned_docs/version-27.0/SnapshotTesting.md | 4 ++-- website/versioned_docs/version-27.1/SnapshotTesting.md | 4 ++-- website/versioned_docs/version-27.2/SnapshotTesting.md | 4 ++-- website/versioned_docs/version-27.4/SnapshotTesting.md | 4 ++-- 7 files changed, 13 insertions(+), 13 deletions(-) diff --git a/docs/SnapshotTesting.md b/docs/SnapshotTesting.md index 73966e7f4d63..004ace393d13 100644 --- a/docs/SnapshotTesting.md +++ b/docs/SnapshotTesting.md @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` diff --git a/website/blog/2016-07-27-jest-14.md b/website/blog/2016-07-27-jest-14.md index 27786ef5db6e..837b8ab172af 100644 --- a/website/blog/2016-07-27-jest-14.md +++ b/website/blog/2016-07-27-jest-14.md @@ -11,7 +11,7 @@ One of the big open questions was how to write React tests efficiently. There ar -Together with the React team we created a new test renderer for React and added snapshot testing to Jest. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/Link.test.js) for a simple [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +Together with the React team we created a new test renderer for React and added snapshot testing to Jest. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a simple [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```javascript import renderer from 'react-test-renderer'; @@ -23,7 +23,7 @@ test('Link renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/Link.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`Link renders correctly 1`] = ` diff --git a/website/versioned_docs/version-26.x/SnapshotTesting.md b/website/versioned_docs/version-26.x/SnapshotTesting.md index 887232836dac..397843e35a5d 100644 --- a/website/versioned_docs/version-26.x/SnapshotTesting.md +++ b/website/versioned_docs/version-26.x/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` diff --git a/website/versioned_docs/version-27.0/SnapshotTesting.md b/website/versioned_docs/version-27.0/SnapshotTesting.md index fa1639e2eebd..d0ea09dfe4d7 100644 --- a/website/versioned_docs/version-27.0/SnapshotTesting.md +++ b/website/versioned_docs/version-27.0/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` diff --git a/website/versioned_docs/version-27.1/SnapshotTesting.md b/website/versioned_docs/version-27.1/SnapshotTesting.md index fa1639e2eebd..d0ea09dfe4d7 100644 --- a/website/versioned_docs/version-27.1/SnapshotTesting.md +++ b/website/versioned_docs/version-27.1/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` diff --git a/website/versioned_docs/version-27.2/SnapshotTesting.md b/website/versioned_docs/version-27.2/SnapshotTesting.md index fa1639e2eebd..d0ea09dfe4d7 100644 --- a/website/versioned_docs/version-27.2/SnapshotTesting.md +++ b/website/versioned_docs/version-27.2/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` diff --git a/website/versioned_docs/version-27.4/SnapshotTesting.md b/website/versioned_docs/version-27.4/SnapshotTesting.md index fa1639e2eebd..d0ea09dfe4d7 100644 --- a/website/versioned_docs/version-27.4/SnapshotTesting.md +++ b/website/versioned_docs/version-27.4/SnapshotTesting.md @@ -9,7 +9,7 @@ A typical snapshot test case renders a UI component, takes a snapshot, then comp ## Snapshot Testing with Jest -A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.react.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): ```tsx import React from 'react'; @@ -24,7 +24,7 @@ it('renders correctly', () => { }); ``` -The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.react.test.js.snap) that looks like this: +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: ```javascript exports[`renders correctly 1`] = ` From d1bc333c549ffb53691e1ba68b16a21915fc5fdc Mon Sep 17 00:00:00 2001 From: "C. T. Lin" Date: Fri, 28 Jan 2022 19:17:19 +0800 Subject: [PATCH 07/99] fix: support `.toHaveProperty('')` (#12251) --- CHANGELOG.md | 1 + packages/expect/src/__tests__/matchers.test.js | 1 + packages/expect/src/utils.ts | 8 +++++++- 3 files changed, 9 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f49ce88b1936..d1851bf9a915 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,7 @@ ### Fixes +- `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) ### Chore & Maintenance diff --git a/packages/expect/src/__tests__/matchers.test.js b/packages/expect/src/__tests__/matchers.test.js index 20b48ca6053a..6868d107d135 100644 --- a/packages/expect/src/__tests__/matchers.test.js +++ b/packages/expect/src/__tests__/matchers.test.js @@ -1898,6 +1898,7 @@ describe('.toHaveProperty()', () => { [new E('div'), 'nodeType', 1], ['', 'length', 0], [memoized, 'memo', []], + [{'': 1}, '', 1], ].forEach(([obj, keyPath, value]) => { test(`{pass: true} expect(${stringify( obj, diff --git a/packages/expect/src/utils.ts b/packages/expect/src/utils.ts index 725289ebb3a4..9e546c303c26 100644 --- a/packages/expect/src/utils.ts +++ b/packages/expect/src/utils.ts @@ -373,9 +373,15 @@ export const partition = ( }; export const pathAsArray = (propertyPath: string): Array => { + const properties: Array = []; + + if (propertyPath === '') { + properties.push(''); + return properties; + } + // will match everything that's not a dot or a bracket, and "" for consecutive dots. const pattern = RegExp('[^.[\\]]+|(?=(?:\\.)(?:\\.|$))', 'g'); - const properties: Array = []; // Because the regex won't match a dot in the beginning of the path, if present. if (propertyPath[0] === '.') { From 9edcaaffd1cdf418feca6d983cdfd364b73bf62c Mon Sep 17 00:00:00 2001 From: David Normington Date: Mon, 31 Jan 2022 08:41:51 +0000 Subject: [PATCH 08/99] fix(matcher-utils): correct diff for expect asymmetric matchers (#12264) --- .../__snapshots__/matchers.test.js.snap | 19 +++++++++-- .../__snapshots__/index.test.ts.snap | 19 +++++++++++ .../src/__tests__/index.test.ts | 34 +++++++++++++++++++ packages/jest-matcher-utils/src/index.ts | 7 ---- 4 files changed, 70 insertions(+), 9 deletions(-) diff --git a/packages/expect/src/__tests__/__snapshots__/matchers.test.js.snap b/packages/expect/src/__tests__/__snapshots__/matchers.test.js.snap index 16f85cccd725..5085d0b677e8 100644 --- a/packages/expect/src/__tests__/__snapshots__/matchers.test.js.snap +++ b/packages/expect/src/__tests__/__snapshots__/matchers.test.js.snap @@ -2175,8 +2175,15 @@ Received: {"0": "a", "1": "b", "2": "c"} exports[`.toEqual() {pass: false} expect({"a": 1, "b": 2}).toEqual(ObjectContaining {"a": 2}) 1`] = ` expect(received).toEqual(expected) // deep equality -Expected: ObjectContaining {"a": 2} -Received: {"a": 1, "b": 2} +- Expected - 2 ++ Received + 3 + +- ObjectContaining { +- "a": 2, ++ Object { ++ "a": 1, ++ "b": 2, + } `; exports[`.toEqual() {pass: false} expect({"a": 1}).toEqual({"a": 2}) 1`] = ` @@ -3560,6 +3567,14 @@ Expected path: "memo" Expected value: not [] `; +exports[`.toHaveProperty() {pass: true} expect({"": 1}).toHaveProperty('', 1) 1`] = ` +expect(received).not.toHaveProperty(path, value) + +Expected path: "" + +Expected value: not 1 +`; + exports[`.toHaveProperty() {pass: true} expect({"a": {"b": [[{"c": [{"d": 1}]}]]}}).toHaveProperty('a.b[0][0].c[0].d', 1) 1`] = ` expect(received).not.toHaveProperty(path, value) diff --git a/packages/jest-matcher-utils/src/__tests__/__snapshots__/index.test.ts.snap b/packages/jest-matcher-utils/src/__tests__/__snapshots__/index.test.ts.snap index 449a8ac82a93..a89c3850194b 100644 --- a/packages/jest-matcher-utils/src/__tests__/__snapshots__/index.test.ts.snap +++ b/packages/jest-matcher-utils/src/__tests__/__snapshots__/index.test.ts.snap @@ -88,6 +88,25 @@ exports[`ensureNumbers() with options promise resolves isNot true expected 1`] = Expected has value: null `; +exports[`printDiffOrStringify expected asymmetric matchers should be diffable 1`] = ` +- Expected - 2 ++ Received + 2 + +- ObjectContaining { ++ Object { + "array": Array [ + Object { + "3": "three", + "four": "4", + "one": 1, +- "two": 2, ++ "two": 1, + }, + ], + "foo": "bar", + } +`; + exports[`stringify() toJSON errors when comparing two objects 1`] = ` expect(received).toEqual(expected) // deep equality diff --git a/packages/jest-matcher-utils/src/__tests__/index.test.ts b/packages/jest-matcher-utils/src/__tests__/index.test.ts index 668307405512..9ed9cc9e17e3 100644 --- a/packages/jest-matcher-utils/src/__tests__/index.test.ts +++ b/packages/jest-matcher-utils/src/__tests__/index.test.ts @@ -342,3 +342,37 @@ describe('matcherHint', () => { expect(received).toMatch(substringPositive); }); }); + +describe('printDiffOrStringify', () => { + test('expected asymmetric matchers should be diffable', () => { + jest.dontMock('jest-diff'); + jest.resetModules(); + const {printDiffOrStringify} = require('../'); + + const expected = expect.objectContaining({ + array: [ + { + 3: 'three', + four: '4', + one: 1, + two: 2, + }, + ], + foo: 'bar', + }); + const received = { + array: [ + { + 3: 'three', + four: '4', + one: 1, + two: 1, + }, + ], + foo: 'bar', + }; + expect( + printDiffOrStringify(expected, received, 'Expected', 'Received', false), + ).toMatchSnapshot(); + }); +}); diff --git a/packages/jest-matcher-utils/src/index.ts b/packages/jest-matcher-utils/src/index.ts index 84aca72cd345..7210d37c624c 100644 --- a/packages/jest-matcher-utils/src/index.ts +++ b/packages/jest-matcher-utils/src/index.ts @@ -293,13 +293,6 @@ const isLineDiffable = (expected: unknown, received: unknown): boolean => { return false; } - if ( - expectedType === 'object' && - typeof (expected as any).asymmetricMatch === 'function' - ) { - return false; - } - if ( receivedType === 'object' && typeof (received as any).asymmetricMatch === 'function' From 161452447a8cbc071447ba92a03efc63da1dd0b7 Mon Sep 17 00:00:00 2001 From: Tom Mrazauskas Date: Tue, 1 Feb 2022 17:44:30 +0200 Subject: [PATCH 09/99] refactor(jest-runner): remove unnecessary ProcessTerminatedError logic (#12287) --- packages/jest-runner/package.json | 1 - packages/jest-runner/src/index.ts | 86 +++++++++++++------------------ yarn.lock | 1 - 3 files changed, 36 insertions(+), 52 deletions(-) diff --git a/packages/jest-runner/package.json b/packages/jest-runner/package.json index 62438ab39f10..755d6d8005f3 100644 --- a/packages/jest-runner/package.json +++ b/packages/jest-runner/package.json @@ -25,7 +25,6 @@ "@types/node": "*", "chalk": "^4.0.0", "emittery": "^0.8.1", - "exit": "^0.1.2", "graceful-fs": "^4.2.9", "jest-docblock": "^27.4.0", "jest-environment-jsdom": "^27.4.6", diff --git a/packages/jest-runner/src/index.ts b/packages/jest-runner/src/index.ts index 5f6e17eeb615..2a471a35c493 100644 --- a/packages/jest-runner/src/index.ts +++ b/packages/jest-runner/src/index.ts @@ -7,10 +7,8 @@ import chalk = require('chalk'); import Emittery = require('emittery'); -import exit = require('exit'); import throat from 'throat'; import type { - SerializableError, Test, TestEvents, TestFileEvent, @@ -97,11 +95,10 @@ export default class TestRunner { if (watcher.isInterrupted()) { throw new CancelRun(); } - let sendMessageToJest: TestFileEvent; - // Remove `if(onStart)` in Jest 27 if (onStart) { await onStart(test); + return runTest( test.path, this._globalConfig, @@ -110,41 +107,42 @@ export default class TestRunner { this._context, undefined, ); - } else { - // `deepCyclicCopy` used here to avoid mem-leak - sendMessageToJest = (eventName, args) => - this.eventEmitter.emit( - eventName, - deepCyclicCopy(args, {keepPrototype: false}), - ); - - await this.eventEmitter.emit('test-file-start', [test]); - return runTest( - test.path, - this._globalConfig, - test.context.config, - test.context.resolver, - this._context, - sendMessageToJest, - ); } + + // `deepCyclicCopy` used here to avoid mem-leak + const sendMessageToJest: TestFileEvent = (eventName, args) => + this.eventEmitter.emit( + eventName, + deepCyclicCopy(args, {keepPrototype: false}), + ); + + await this.eventEmitter.emit('test-file-start', [test]); + + return runTest( + test.path, + this._globalConfig, + test.context.config, + test.context.resolver, + this._context, + sendMessageToJest, + ); }) .then(result => { if (onResult) { return onResult(test, result); - } else { - return this.eventEmitter.emit('test-file-success', [ - test, - result, - ]); } + + return this.eventEmitter.emit('test-file-success', [ + test, + result, + ]); }) .catch(err => { if (onFailure) { return onFailure(test, err); - } else { - return this.eventEmitter.emit('test-file-failure', [test, err]); } + + return this.eventEmitter.emit('test-file-failure', [test, err]); }), ), Promise.resolve(), @@ -225,22 +223,6 @@ export default class TestRunner { return promise; }); - const onError = async (err: SerializableError, test: Test) => { - // Remove `if(onFailure)` in Jest 27 - if (onFailure) { - await onFailure(test, err); - } else { - await this.eventEmitter.emit('test-file-failure', [test, err]); - } - if (err.type === 'ProcessTerminatedError') { - console.error( - 'A worker process has quit unexpectedly! ' + - 'Most likely this is an initialization error.', - ); - exit(1); - } - }; - const onInterrupt = new Promise((_, reject) => { watcher.on('change', state => { if (state.interrupted) { @@ -255,14 +237,17 @@ export default class TestRunner { .then(result => { if (onResult) { return onResult(test, result); - } else { - return this.eventEmitter.emit('test-file-success', [ - test, - result, - ]); } + + return this.eventEmitter.emit('test-file-success', [test, result]); }) - .catch(error => onError(error, test)), + .catch(error => { + if (onFailure) { + return onFailure(test, error); + } + + return this.eventEmitter.emit('test-file-failure', [test, error]); + }), ), ); @@ -279,6 +264,7 @@ export default class TestRunner { ); } }; + return Promise.race([runAllTests, onInterrupt]).then(cleanup, cleanup); } diff --git a/yarn.lock b/yarn.lock index 6b062a586442..154844e08e49 100644 --- a/yarn.lock +++ b/yarn.lock @@ -13064,7 +13064,6 @@ __metadata: "@types/source-map-support": ^0.5.0 chalk: ^4.0.0 emittery: ^0.8.1 - exit: ^0.1.2 graceful-fs: ^4.2.9 jest-docblock: ^27.4.0 jest-environment-jsdom: ^27.4.6 From a4339cb0ff9b42d38f4006a4935968e78e4b3ab2 Mon Sep 17 00:00:00 2001 From: David Normington Date: Wed, 2 Feb 2022 08:03:59 +0000 Subject: [PATCH 10/99] Update CHANGELOG.md (#12283) --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d1851bf9a915..51e4ba29c4c8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,7 @@ ### Fixes +- `[matcher-utils]` Correct diff for expected asymmetric matchers (#12264)[https://github.com/facebook/jest/pull/12264] - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) From 6259ce1ff04f80ac36c600a7eaac12cacd40b020 Mon Sep 17 00:00:00 2001 From: "C. T. Lin" Date: Wed, 2 Feb 2022 22:18:54 +0800 Subject: [PATCH 11/99] fix(changelog): fix link format of #12264 (#12293) --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 51e4ba29c4c8..69bdc048a79e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,7 @@ ### Fixes -- `[matcher-utils]` Correct diff for expected asymmetric matchers (#12264)[https://github.com/facebook/jest/pull/12264] +- `[matcher-utils]` Correct diff for expected asymmetric matchers ([#12264](https://github.com/facebook/jest/pull/12264)) - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) From 60a788e3b20eefdecdb083c50830aab90c6296a8 Mon Sep 17 00:00:00 2001 From: Marcelo Shima Date: Wed, 2 Feb 2022 12:18:13 -0300 Subject: [PATCH 12/99] fix(message-utils): convert URLs to paths (#12277) --- CHANGELOG.md | 1 + .../src/__tests__/messages.test.ts | 22 ++++++++++++++++++- packages/jest-message-util/src/index.ts | 4 ++++ 3 files changed, 26 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 69bdc048a79e..b1dbc41bd099 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,6 +7,7 @@ - `[matcher-utils]` Correct diff for expected asymmetric matchers ([#12264](https://github.com/facebook/jest/pull/12264)) - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) +- `[jest-message-util]` Fix `.getTopFrame()` (and `toMatchInlineSnapshot()`) with `mjs` files ([#12277](https://github.com/facebook/jest/pull/12277)) ### Chore & Maintenance diff --git a/packages/jest-message-util/src/__tests__/messages.test.ts b/packages/jest-message-util/src/__tests__/messages.test.ts index cb4d7e91f959..a2ab092378c4 100644 --- a/packages/jest-message-util/src/__tests__/messages.test.ts +++ b/packages/jest-message-util/src/__tests__/messages.test.ts @@ -9,7 +9,12 @@ import {readFileSync} from 'graceful-fs'; import slash = require('slash'); import tempy = require('tempy'); -import {formatExecError, formatResultsErrors, formatStackTrace} from '..'; +import { + formatExecError, + formatResultsErrors, + formatStackTrace, + getTopFrame, +} from '..'; const rootDir = tempy.directory(); @@ -365,3 +370,18 @@ describe('formatStackTrace', () => { expect(message).toMatchSnapshot(); }); }); + +it('getTopFrame should return a path for mjs files', () => { + let stack: Array; + let expectedFile: string; + if (process.platform === 'win32') { + stack = [' at stack (file:///C:/Users/user/project/inline.mjs:1:1)']; + expectedFile = 'C:/Users/user/project/inline.mjs'; + } else { + stack = [' at stack (file:///Users/user/project/inline.mjs:1:1)']; + expectedFile = '/Users/user/project/inline.mjs'; + } + const frame = getTopFrame(stack); + + expect(frame.file).toBe(expectedFile); +}); diff --git a/packages/jest-message-util/src/index.ts b/packages/jest-message-util/src/index.ts index f02a7f0fefeb..1aa0899e5bbf 100644 --- a/packages/jest-message-util/src/index.ts +++ b/packages/jest-message-util/src/index.ts @@ -6,6 +6,7 @@ */ import * as path from 'path'; +import {fileURLToPath} from 'url'; import {codeFrameColumns} from '@babel/code-frame'; import chalk = require('chalk'); import * as fs from 'graceful-fs'; @@ -273,6 +274,9 @@ export const getTopFrame = (lines: Array): Frame | null => { const parsedFrame = stackUtils.parseLine(line.trim()); if (parsedFrame && parsedFrame.file) { + if (parsedFrame.file.startsWith('file://')) { + parsedFrame.file = slash(fileURLToPath(parsedFrame.file)); + } return parsedFrame as Frame; } } From 71c1e93e66e3fce8ee4e06e61e3fe442c8c020a4 Mon Sep 17 00:00:00 2001 From: Tom Mrazauskas Date: Thu, 3 Feb 2022 09:11:53 +0200 Subject: [PATCH 13/99] fix(@jest/globals): add missing `options` argument to `jest.doMock` typing (#12292) --- CHANGELOG.md | 3 ++- packages/jest-environment/src/index.ts | 6 +++++- packages/jest-types/__typechecks__/jest.test.ts | 5 ++--- 3 files changed, 9 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b1dbc41bd099..da9dba4496f1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,9 +4,10 @@ ### Fixes -- `[matcher-utils]` Correct diff for expected asymmetric matchers ([#12264](https://github.com/facebook/jest/pull/12264)) - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) +- `[@jest/globals]` Add missing `options` argument to `jest.doMock` typing ([#12292](https://github.com/facebook/jest/pull/12292)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) +- `[jest-matcher-utils]` Correct diff for expected asymmetric matchers ([#12264](https://github.com/facebook/jest/pull/12264)) - `[jest-message-util]` Fix `.getTopFrame()` (and `toMatchInlineSnapshot()`) with `mjs` files ([#12277](https://github.com/facebook/jest/pull/12277)) ### Chore & Maintenance diff --git a/packages/jest-environment/src/index.ts b/packages/jest-environment/src/index.ts index b5920f7d00e9..509a4dac4fad 100644 --- a/packages/jest-environment/src/index.ts +++ b/packages/jest-environment/src/index.ts @@ -92,7 +92,11 @@ export interface Jest { * the top of the code block. Use this method if you want to explicitly avoid * this behavior. */ - doMock(moduleName: string, moduleFactory?: () => unknown): Jest; + doMock( + moduleName: string, + moduleFactory?: () => unknown, + options?: {virtual?: boolean}, + ): Jest; /** * Indicates that the module system should never return a mocked version * of the specified module from require() (e.g. that it should always return diff --git a/packages/jest-types/__typechecks__/jest.test.ts b/packages/jest-types/__typechecks__/jest.test.ts index 1c0a5483ca56..a1d60669698f 100644 --- a/packages/jest-types/__typechecks__/jest.test.ts +++ b/packages/jest-types/__typechecks__/jest.test.ts @@ -20,9 +20,8 @@ expectType(jest.deepUnmock('moduleName')); expectType(jest.disableAutomock()); expectType(jest.doMock('moduleName')); expectType(jest.doMock('moduleName', jest.fn())); - -expectError(jest.doMock('moduleName', jest.fn(), {})); -expectError(jest.doMock('moduleName', jest.fn(), {virtual: true})); +expectType(jest.doMock('moduleName', jest.fn(), {})); +expectType(jest.doMock('moduleName', jest.fn(), {virtual: true})); expectType(jest.dontMock('moduleName')); expectType(jest.enableAutomock()); From 7509d252171970f0ef55b9eff3dbf93692bedf15 Mon Sep 17 00:00:00 2001 From: Tom Mrazauskas Date: Thu, 3 Feb 2022 22:03:58 +0200 Subject: [PATCH 14/99] fix(jest-each, @jest/globals): allow passing `ReadonlyArray` type of a table to `describe.each` and `test.each` (#12297) * fix: each typings * add changelog entry --- CHANGELOG.md | 1 + packages/jest-each/src/bind.ts | 6 +- .../jest-types/__typechecks__/globals.test.ts | 261 ++++++++++++++++-- packages/jest-types/src/Global.ts | 14 +- 4 files changed, 249 insertions(+), 33 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index da9dba4496f1..447f0baadf95 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,7 @@ ### Fixes - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) +- `[jest-each, @jest/globals]` Allow passing `ReadonlyArray` type of a table to `describe.each` and `test.each` ([#12297](https://github.com/facebook/jest/pull/12297)) - `[@jest/globals]` Add missing `options` argument to `jest.doMock` typing ([#12292](https://github.com/facebook/jest/pull/12292)) - `[jest-environment-node]` Add `atob` and `btoa` ([#12269](https://github.com/facebook/jest/pull/12269)) - `[jest-matcher-utils]` Correct diff for expected asymmetric matchers ([#12264](https://github.com/facebook/jest/pull/12264)) diff --git a/packages/jest-each/src/bind.ts b/packages/jest-each/src/bind.ts index 8ac7f186c60f..81e65ce6d14d 100644 --- a/packages/jest-each/src/bind.ts +++ b/packages/jest-each/src/bind.ts @@ -16,9 +16,9 @@ import { validateTemplateTableArguments, } from './validation'; -export type EachTests = Array<{ +export type EachTests = ReadonlyArray<{ title: string; - arguments: Array; + arguments: ReadonlyArray; }>; // type TestFn = (done?: Global.DoneFn) => Promise | void | undefined; @@ -80,7 +80,7 @@ const getHeadingKeys = (headings: string): Array => const applyArguments = ( supportsDone: boolean, - params: Array, + params: ReadonlyArray, test: Global.EachTestFn, ): Global.EachTestFn => supportsDone && params.length < test.length diff --git a/packages/jest-types/__typechecks__/globals.test.ts b/packages/jest-types/__typechecks__/globals.test.ts index 5aad8daabf5a..f1d843419a88 100644 --- a/packages/jest-types/__typechecks__/globals.test.ts +++ b/packages/jest-types/__typechecks__/globals.test.ts @@ -24,7 +24,13 @@ const asyncFn = async () => {}; const genFn = function* () {}; const timeout = 5; const testName = 'Test name'; -const testTable = [[1, 2]]; + +const list = [1, 2, 3]; +const table = [ + [1, 2], + [3, 4], +]; +const readonlyTable = [[1, 2], 'one'] as const; // https://jestjs.io/docs/api#methods expectType(afterAll(fn)); @@ -84,25 +90,234 @@ expectError( expectType(test(testName, fn)); expectType(test(testName, asyncFn)); expectType(test(testName, genFn)); -expectType(test.each(testTable)(testName, fn)); -expectType(test.each(testTable)(testName, fn, timeout)); -expectType(test.only.each(testTable)(testName, fn)); -expectType(test.only.each(testTable)(testName, fn, timeout)); -expectType(test.skip.each(testTable)(testName, fn)); -expectType(test.skip.each(testTable)(testName, fn, timeout)); -expectType(test.concurrent.each(testTable)(testName, asyncFn)); -expectType(test.concurrent.each(testTable)(testName, asyncFn, timeout)); -expectType(test.concurrent.only.each(testTable)(testName, asyncFn)); -expectType( - test.concurrent.only.each(testTable)(testName, asyncFn, timeout), -); -expectType(test.concurrent.skip.each(testTable)(testName, asyncFn)); -expectType( - test.concurrent.skip.each(testTable)(testName, asyncFn, timeout), -); -expectType(describe.each(testTable)(testName, fn)); -expectType(describe.each(testTable)(testName, fn, timeout)); -expectType(describe.only.each(testTable)(testName, fn)); -expectType(describe.only.each(testTable)(testName, fn, timeout)); -expectType(describe.skip.each(testTable)(testName, fn)); -expectType(describe.skip.each(testTable)(testName, fn, timeout)); + +expectType(test.each(list)(testName, fn)); +expectType(test.each(list)(testName, fn, timeout)); +expectType(test.each(table)(testName, fn)); +expectType(test.each(table)(testName, fn, timeout)); +expectType(test.each(readonlyTable)(testName, fn)); +expectType(test.each(readonlyTable)(testName, fn, timeout)); + +expectType(test.only.each(list)(testName, fn)); +expectType(test.only.each(list)(testName, fn, timeout)); +expectType(test.only.each(table)(testName, fn)); +expectType(test.only.each(table)(testName, fn, timeout)); +expectType(test.only.each(readonlyTable)(testName, fn)); +expectType(test.only.each(readonlyTable)(testName, fn, timeout)); + +expectType(test.skip.each(list)(testName, fn)); +expectType(test.skip.each(list)(testName, fn, timeout)); +expectType(test.skip.each(table)(testName, fn)); +expectType(test.skip.each(table)(testName, fn, timeout)); +expectType(test.skip.each(readonlyTable)(testName, fn)); +expectType(test.skip.each(readonlyTable)(testName, fn, timeout)); + +expectType( + test.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + test.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); + +expectType( + test.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + test.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); + +expectType( + test.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + test.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); + +expectType(test.concurrent.each(list)(testName, asyncFn)); +expectType(test.concurrent.each(list)(testName, asyncFn, timeout)); +expectType(test.concurrent.each(table)(testName, asyncFn)); +expectType(test.concurrent.each(table)(testName, asyncFn, timeout)); +expectType(test.concurrent.each(readonlyTable)(testName, asyncFn)); +expectType( + test.concurrent.each(readonlyTable)(testName, asyncFn, timeout), +); + +expectType(test.concurrent.only.each(list)(testName, asyncFn)); +expectType(test.concurrent.only.each(list)(testName, asyncFn, timeout)); +expectType(test.concurrent.only.each(table)(testName, asyncFn)); +expectType(test.concurrent.only.each(table)(testName, asyncFn, timeout)); +expectType(test.concurrent.only.each(readonlyTable)(testName, asyncFn)); +expectType( + test.concurrent.only.each(readonlyTable)(testName, asyncFn, timeout), +); + +expectType(test.concurrent.skip.each(list)(testName, asyncFn)); +expectType(test.concurrent.skip.each(list)(testName, asyncFn, timeout)); +expectType(test.concurrent.skip.each(table)(testName, asyncFn)); +expectType(test.concurrent.skip.each(table)(testName, asyncFn, timeout)); +expectType(test.concurrent.skip.each(readonlyTable)(testName, asyncFn)); +expectType( + test.concurrent.skip.each(readonlyTable)(testName, asyncFn, timeout), +); + +expectType( + test.concurrent.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn), +); + +expectType( + test.concurrent.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn, timeout), +); + +expectType( + test.concurrent.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn), +); + +expectType( + test.concurrent.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn, timeout), +); + +expectType( + test.concurrent.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn), +); + +expectType( + test.concurrent.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`(testName, asyncFn, timeout), +); + +expectType(describe.each(list)(testName, fn)); +expectType(describe.each(list)(testName, fn, timeout)); +expectType(describe.each(table)(testName, fn)); +expectType(describe.each(table)(testName, fn, timeout)); +expectType(describe.each(readonlyTable)(testName, fn)); +expectType(describe.each(readonlyTable)(testName, fn, timeout)); + +expectType(describe.only.each(list)(testName, fn)); +expectType(describe.only.each(list)(testName, fn, timeout)); +expectType(describe.only.each(table)(testName, fn)); +expectType(describe.only.each(table)(testName, fn, timeout)); +expectType(describe.only.each(readonlyTable)(testName, fn)); +expectType(describe.only.each(readonlyTable)(testName, fn, timeout)); + +expectType(describe.skip.each(list)(testName, fn)); +expectType(describe.skip.each(list)(testName, fn, timeout)); +expectType(describe.skip.each(table)(testName, fn)); +expectType(describe.skip.each(table)(testName, fn, timeout)); +expectType(describe.skip.each(readonlyTable)(testName, fn)); +expectType(describe.skip.each(readonlyTable)(testName, fn, timeout)); + +expectType( + describe.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + describe.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); + +expectType( + describe.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + describe.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); + +expectType( + describe.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn), +); + +expectType( + describe.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} + `(testName, fn, timeout), +); diff --git a/packages/jest-types/src/Global.ts b/packages/jest-types/src/Global.ts index 010624038707..024d5777ca98 100644 --- a/packages/jest-types/src/Global.ts +++ b/packages/jest-types/src/Global.ts @@ -38,17 +38,17 @@ export type BlockName = string; export type HookFn = TestFn; export type Col = unknown; -export type Row = Array; -export type Table = Array; +export type Row = ReadonlyArray; +export type Table = ReadonlyArray; export type ArrayTable = Table | Row; export type TemplateTable = TemplateStringsArray; -export type TemplateData = Array; +export type TemplateData = ReadonlyArray; export type EachTable = ArrayTable | TemplateTable; export type TestCallback = BlockFn | TestFn | ConcurrentTestFn; export type EachTestFn = ( - ...args: Array + ...args: ReadonlyArray ) => ReturnType; // TODO: Get rid of this at some point @@ -60,9 +60,9 @@ type Jasmine = { type Each = | (( table: EachTable, - ...taggedTemplateData: Array + ...taggedTemplateData: TemplateData ) => ( - title: string, + name: BlockName | TestName, test: EachTestFn, timeout?: number, ) => void) @@ -84,7 +84,7 @@ export interface It extends ItBase { } export interface ItConcurrentBase { - (testName: string, testFn: ConcurrentTestFn, timeout?: number): void; + (testName: TestName, testFn: ConcurrentTestFn, timeout?: number): void; each: Each; } From 8a62d988d691e92868d9ede6122cb22f8df03b87 Mon Sep 17 00:00:00 2001 From: Tom Mrazauskas Date: Fri, 4 Feb 2022 20:43:49 +0200 Subject: [PATCH 15/99] chore(type tests): bump `jest-runner-tsd` (#12299) * chore: bump jest-runner-tsd * fix compiler config * fix @tsd/typescript version * improve setup * alternative setup --- .eslintrc.js | 4 +- jest.config.js | 2 +- jest.config.types.js => jest.config.tsd.js | 2 +- package.json | 5 +- packages/babel-jest/tsconfig.json | 2 + .../babel-plugin-jest-hoist/tsconfig.json | 4 +- packages/diff-sequences/tsconfig.json | 4 +- packages/expect/.npmignore | 2 +- .../expect.test.ts | 0 packages/expect/__typetests__/tsconfig.json | 9 + packages/expect/tsconfig.json | 2 + packages/jest-changed-files/tsconfig.json | 1 + packages/jest-circus/tsconfig.json | 2 + packages/jest-cli/tsconfig.json | 2 + packages/jest-config/tsconfig.json | 2 + packages/jest-console/tsconfig.json | 2 + packages/jest-core/tsconfig.json | 2 + .../tsconfig.json | 2 + packages/jest-diff/tsconfig.json | 2 + packages/jest-docblock/tsconfig.json | 4 +- packages/jest-each/tsconfig.json | 2 + packages/jest-environment-jsdom/tsconfig.json | 2 + packages/jest-environment-node/tsconfig.json | 2 + packages/jest-environment/tsconfig.json | 1 + packages/jest-fake-timers/tsconfig.json | 2 + packages/jest-get-type/tsconfig.json | 4 +- packages/jest-globals/tsconfig.json | 2 + packages/jest-haste-map/tsconfig.json | 2 + packages/jest-jasmine2/tsconfig.json | 2 + packages/jest-leak-detector/tsconfig.json | 2 + packages/jest-matcher-utils/tsconfig.json | 2 + packages/jest-message-util/tsconfig.json | 2 + packages/jest-mock/tsconfig.json | 2 + packages/jest-phabricator/tsconfig.json | 1 + packages/jest-regex-util/tsconfig.json | 4 +- packages/jest-repl/tsconfig.json | 2 + packages/jest-reporters/tsconfig.json | 2 + .../jest-resolve-dependencies/tsconfig.json | 2 + packages/jest-resolve/tsconfig.json | 2 + packages/jest-runner/tsconfig.json | 2 + packages/jest-runtime/tsconfig.json | 2 + packages/jest-serializer/tsconfig.json | 4 +- packages/jest-snapshot/tsconfig.json | 2 + packages/jest-source-map/tsconfig.json | 4 +- packages/jest-test-result/tsconfig.json | 2 + packages/jest-test-sequencer/tsconfig.json | 2 + packages/jest-transform/tsconfig.json | 2 + packages/jest-types/.npmignore | 2 +- .../config.test.ts | 2 +- .../expect.test.ts | 18 +- .../globals.test.ts | 2 +- .../jest.test.ts | 2 +- .../jest-types/__typetests__/tsconfig.json | 9 + packages/jest-types/package.json | 2 +- packages/jest-types/tsconfig.json | 3 +- packages/jest-util/tsconfig.json | 2 + packages/jest-validate/tsconfig.json | 2 + packages/jest-watcher/tsconfig.json | 2 + packages/jest-worker/tsconfig.json | 2 + packages/jest/tsconfig.json | 1 + packages/pretty-format/tsconfig.json | 2 + packages/test-utils/tsconfig.json | 1 + tsconfig.json | 9 +- yarn.lock | 278 ++++-------------- 64 files changed, 198 insertions(+), 256 deletions(-) rename jest.config.types.js => jest.config.tsd.js (91%) rename packages/expect/{__typechecks__ => __typetests__}/expect.test.ts (100%) create mode 100644 packages/expect/__typetests__/tsconfig.json rename packages/jest-types/{__typechecks__ => __typetests__}/config.test.ts (95%) rename packages/jest-types/{__typechecks__ => __typetests__}/expect.test.ts (95%) rename packages/jest-types/{__typechecks__ => __typetests__}/globals.test.ts (99%) rename packages/jest-types/{__typechecks__ => __typetests__}/jest.test.ts (98%) create mode 100644 packages/jest-types/__typetests__/tsconfig.json diff --git a/.eslintrc.js b/.eslintrc.js index 1098157eafd9..bb36714e2a68 100644 --- a/.eslintrc.js +++ b/.eslintrc.js @@ -234,7 +234,7 @@ module.exports = { }, }, { - files: ['**/__typechecks__/**', '*.md'], + files: ['**/__typetests__/**', '*.md'], rules: { 'jest/no-focused-tests': 'off', 'jest/no-identical-title': 'off', @@ -303,7 +303,7 @@ module.exports = { devDependencies: [ '**/__mocks__/**', '**/__tests__/**', - '**/__typechecks__/**', + '**/__typetests__/**', '**/?(*.)(spec|test).js?(x)', 'scripts/**', 'babel.config.js', diff --git a/jest.config.js b/jest.config.js index e8e4ff73eb23..18d69b645a78 100644 --- a/jest.config.js +++ b/jest.config.js @@ -36,7 +36,7 @@ module.exports = { ], testPathIgnorePatterns: [ '/__arbitraries__/', - '/__typechecks__/', + '/__typetests__/', '/node_modules/', '/examples/', '/e2e/.*/__tests__', diff --git a/jest.config.types.js b/jest.config.tsd.js similarity index 91% rename from jest.config.types.js rename to jest.config.tsd.js index 77a65008fffb..2ac85943e857 100644 --- a/jest.config.types.js +++ b/jest.config.tsd.js @@ -17,5 +17,5 @@ module.exports = { modulePathIgnorePatterns, roots: ['/packages'], runner: 'jest-runner-tsd', - testMatch: ['**/__typechecks__/**/*.ts'], + testMatch: ['**/__typetests__/**/*.ts'], }; diff --git a/package.json b/package.json index fa288cf2d1b1..5e728b63aab3 100644 --- a/package.json +++ b/package.json @@ -14,6 +14,7 @@ "@jest/globals": "workspace:*", "@jest/test-utils": "workspace:*", "@tsconfig/node10": "^1.0.8", + "@tsd/typescript": "~4.1.5", "@types/babel__core": "^7.0.0", "@types/babel__generator": "^7.0.0", "@types/babel__template": "^7.0.0", @@ -55,7 +56,7 @@ "jest-changed-files": "workspace:*", "jest-junit": "^13.0.0", "jest-mock": "workspace:*", - "jest-runner-tsd": "^1.1.0", + "jest-runner-tsd": "^2.0.0", "jest-silent-reporter": "^0.5.0", "jest-snapshot": "workspace:*", "jest-snapshot-serializer-raw": "^1.1.0", @@ -102,7 +103,7 @@ "lint:prettier": "prettier '**/*.{md,yml,yaml}' 'website/**/*.{css,js}' --write --ignore-path .gitignore", "lint:prettier:ci": "prettier '**/*.{md,yml,yaml}' 'website/**/*.{css,js}' --check --ignore-path .gitignore", "remove-examples": "node ./scripts/remove-examples.js", - "test-types": "yarn jest --config jest.config.types.js", + "test-types": "yarn jest --config jest.config.tsd.js", "test-ci": "yarn jest-coverage --color -i --config jest.config.ci.js && yarn test-leak && node ./scripts/mapCoverage.js && codecov", "test-ci-partial": "yarn test-ci-partial:parallel -i", "test-ci-partial:parallel": "yarn jest --color --config jest.config.ci.js", diff --git a/packages/babel-jest/tsconfig.json b/packages/babel-jest/tsconfig.json index 0984ce01a994..1ffeba9a4488 100644 --- a/packages/babel-jest/tsconfig.json +++ b/packages/babel-jest/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], // TODO: include `babel-preset-jest` if it's ever in TS even though we don't care about its types "references": [ {"path": "../jest-transform"}, diff --git a/packages/babel-plugin-jest-hoist/tsconfig.json b/packages/babel-plugin-jest-hoist/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/babel-plugin-jest-hoist/tsconfig.json +++ b/packages/babel-plugin-jest-hoist/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/diff-sequences/tsconfig.json b/packages/diff-sequences/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/diff-sequences/tsconfig.json +++ b/packages/diff-sequences/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/expect/.npmignore b/packages/expect/.npmignore index 0f8a566fe139..83740ab0bc5a 100644 --- a/packages/expect/.npmignore +++ b/packages/expect/.npmignore @@ -1,6 +1,6 @@ **/__mocks__/** **/__tests__/** -__typechecks__ +__typetests__ src tsconfig.json tsconfig.tsbuildinfo diff --git a/packages/expect/__typechecks__/expect.test.ts b/packages/expect/__typetests__/expect.test.ts similarity index 100% rename from packages/expect/__typechecks__/expect.test.ts rename to packages/expect/__typetests__/expect.test.ts diff --git a/packages/expect/__typetests__/tsconfig.json b/packages/expect/__typetests__/tsconfig.json new file mode 100644 index 000000000000..b7577781b384 --- /dev/null +++ b/packages/expect/__typetests__/tsconfig.json @@ -0,0 +1,9 @@ +{ + "extends": "../../../tsconfig.json", + "compilerOptions": { + "noUnusedLocals": false, + "noUnusedParameters": false, + "skipLibCheck": true + }, + "include": ["./**/*"] +} diff --git a/packages/expect/tsconfig.json b/packages/expect/tsconfig.json index 2130f5ba8f87..8fd74f140885 100644 --- a/packages/expect/tsconfig.json +++ b/packages/expect/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-get-type"}, {"path": "../jest-matcher-utils"}, diff --git a/packages/jest-changed-files/tsconfig.json b/packages/jest-changed-files/tsconfig.json index 3046cb6b9b6a..4003592c4d85 100644 --- a/packages/jest-changed-files/tsconfig.json +++ b/packages/jest-changed-files/tsconfig.json @@ -4,5 +4,6 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], "references": [{"path": "../jest-types"}] } diff --git a/packages/jest-circus/tsconfig.json b/packages/jest-circus/tsconfig.json index 659dded4b8f4..4e6535abac08 100644 --- a/packages/jest-circus/tsconfig.json +++ b/packages/jest-circus/tsconfig.json @@ -4,6 +4,8 @@ "outDir": "build", "rootDir": "src" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], "references": [ {"path": "../expect"}, {"path": "../jest-each"}, diff --git a/packages/jest-cli/tsconfig.json b/packages/jest-cli/tsconfig.json index 81e31d14d7f0..32f96c0f8a77 100644 --- a/packages/jest-cli/tsconfig.json +++ b/packages/jest-cli/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-config"}, {"path": "../jest-core"}, diff --git a/packages/jest-config/tsconfig.json b/packages/jest-config/tsconfig.json index 4ffd33734047..8d8261ca2028 100644 --- a/packages/jest-config/tsconfig.json +++ b/packages/jest-config/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], // TODO: This is missing `babel-jest`, `jest-jasmine2`, `jest-circus` and // jest-test-sequencer, but that is just `require.resolve`d, so no real use // for their types diff --git a/packages/jest-console/tsconfig.json b/packages/jest-console/tsconfig.json index 87cb2c2da489..308e84ff26ee 100644 --- a/packages/jest-console/tsconfig.json +++ b/packages/jest-console/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-message-util"}, {"path": "../jest-types"}, diff --git a/packages/jest-core/tsconfig.json b/packages/jest-core/tsconfig.json index 6010315e6eeb..f70d53b63195 100644 --- a/packages/jest-core/tsconfig.json +++ b/packages/jest-core/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-changed-files"}, {"path": "../jest-config"}, diff --git a/packages/jest-create-cache-key-function/tsconfig.json b/packages/jest-create-cache-key-function/tsconfig.json index 23c08b0da24e..cf4cceccce14 100644 --- a/packages/jest-create-cache-key-function/tsconfig.json +++ b/packages/jest-create-cache-key-function/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-types"}, {"path": "../jest-util"}] } diff --git a/packages/jest-diff/tsconfig.json b/packages/jest-diff/tsconfig.json index 0e6330874c83..e816b873f5ba 100644 --- a/packages/jest-diff/tsconfig.json +++ b/packages/jest-diff/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../diff-sequences"}, {"path": "../jest-get-type"}, diff --git a/packages/jest-docblock/tsconfig.json b/packages/jest-docblock/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/jest-docblock/tsconfig.json +++ b/packages/jest-docblock/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/jest-each/tsconfig.json b/packages/jest-each/tsconfig.json index b88a75787fde..127194c63278 100644 --- a/packages/jest-each/tsconfig.json +++ b/packages/jest-each/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-get-type"}, {"path": "../jest-types"}, diff --git a/packages/jest-environment-jsdom/tsconfig.json b/packages/jest-environment-jsdom/tsconfig.json index f1597e6a07c9..240880c13e8f 100644 --- a/packages/jest-environment-jsdom/tsconfig.json +++ b/packages/jest-environment-jsdom/tsconfig.json @@ -4,6 +4,8 @@ "outDir": "build", "rootDir": "src" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], "references": [ {"path": "../jest-environment"}, {"path": "../jest-fake-timers"}, diff --git a/packages/jest-environment-node/tsconfig.json b/packages/jest-environment-node/tsconfig.json index f1597e6a07c9..12bd3f484bcd 100644 --- a/packages/jest-environment-node/tsconfig.json +++ b/packages/jest-environment-node/tsconfig.json @@ -4,6 +4,8 @@ "outDir": "build", "rootDir": "src" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-environment"}, {"path": "../jest-fake-timers"}, diff --git a/packages/jest-environment/tsconfig.json b/packages/jest-environment/tsconfig.json index 7e0bf445fb1a..3b0f77d1c9c5 100644 --- a/packages/jest-environment/tsconfig.json +++ b/packages/jest-environment/tsconfig.json @@ -6,6 +6,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], "references": [ {"path": "../jest-fake-timers"}, {"path": "../jest-mock"}, diff --git a/packages/jest-fake-timers/tsconfig.json b/packages/jest-fake-timers/tsconfig.json index 9db8e6cc0ed9..0bdcddc53258 100644 --- a/packages/jest-fake-timers/tsconfig.json +++ b/packages/jest-fake-timers/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-message-util"}, {"path": "../jest-mock"}, diff --git a/packages/jest-get-type/tsconfig.json b/packages/jest-get-type/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/jest-get-type/tsconfig.json +++ b/packages/jest-get-type/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/jest-globals/tsconfig.json b/packages/jest-globals/tsconfig.json index f6060ca2e675..ef7d4e629e02 100644 --- a/packages/jest-globals/tsconfig.json +++ b/packages/jest-globals/tsconfig.json @@ -6,6 +6,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../expect"}, {"path": "../jest-environment"}, diff --git a/packages/jest-haste-map/tsconfig.json b/packages/jest-haste-map/tsconfig.json index 1174b5fae123..6788585ebdeb 100644 --- a/packages/jest-haste-map/tsconfig.json +++ b/packages/jest-haste-map/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-regex-util"}, {"path": "../jest-serializer"}, diff --git a/packages/jest-jasmine2/tsconfig.json b/packages/jest-jasmine2/tsconfig.json index a52d122e4792..81029dc1642f 100644 --- a/packages/jest-jasmine2/tsconfig.json +++ b/packages/jest-jasmine2/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../expect"}, {"path": "../jest-each"}, diff --git a/packages/jest-leak-detector/tsconfig.json b/packages/jest-leak-detector/tsconfig.json index af22aef220ca..4deb4b1ffbe1 100644 --- a/packages/jest-leak-detector/tsconfig.json +++ b/packages/jest-leak-detector/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-get-type"}, {"path": "../pretty-format"}] } diff --git a/packages/jest-matcher-utils/tsconfig.json b/packages/jest-matcher-utils/tsconfig.json index febd499d97ae..b2323e702d75 100644 --- a/packages/jest-matcher-utils/tsconfig.json +++ b/packages/jest-matcher-utils/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-diff"}, {"path": "../jest-get-type"}, diff --git a/packages/jest-message-util/tsconfig.json b/packages/jest-message-util/tsconfig.json index 8be65ecb2b1e..81cde7d11ab7 100644 --- a/packages/jest-message-util/tsconfig.json +++ b/packages/jest-message-util/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-types"}, {"path": "../pretty-format"}] } diff --git a/packages/jest-mock/tsconfig.json b/packages/jest-mock/tsconfig.json index 3046cb6b9b6a..b69d4caaeea9 100644 --- a/packages/jest-mock/tsconfig.json +++ b/packages/jest-mock/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-types"}] } diff --git a/packages/jest-phabricator/tsconfig.json b/packages/jest-phabricator/tsconfig.json index ed501699fc79..1d67e0f2c281 100644 --- a/packages/jest-phabricator/tsconfig.json +++ b/packages/jest-phabricator/tsconfig.json @@ -4,6 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], "references": [ { "path": "../jest-test-result" diff --git a/packages/jest-regex-util/tsconfig.json b/packages/jest-regex-util/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/jest-regex-util/tsconfig.json +++ b/packages/jest-regex-util/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/jest-repl/tsconfig.json b/packages/jest-repl/tsconfig.json index c6558a59e3a7..bdd24b2b9309 100644 --- a/packages/jest-repl/tsconfig.json +++ b/packages/jest-repl/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-config"}, {"path": "../jest-console"}, diff --git a/packages/jest-reporters/tsconfig.json b/packages/jest-reporters/tsconfig.json index 90e8ebceb1d5..d5c6ecc17d98 100644 --- a/packages/jest-reporters/tsconfig.json +++ b/packages/jest-reporters/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-console"}, {"path": "../jest-haste-map"}, diff --git a/packages/jest-resolve-dependencies/tsconfig.json b/packages/jest-resolve-dependencies/tsconfig.json index 433e2ed3f351..a1307345772a 100644 --- a/packages/jest-resolve-dependencies/tsconfig.json +++ b/packages/jest-resolve-dependencies/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-haste-map"}, {"path": "../jest-regex-util"}, diff --git a/packages/jest-resolve/tsconfig.json b/packages/jest-resolve/tsconfig.json index 7ffe2b2a1c93..c62988ec0d17 100644 --- a/packages/jest-resolve/tsconfig.json +++ b/packages/jest-resolve/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], "references": [ {"path": "../jest-haste-map"}, {"path": "../jest-types"}, diff --git a/packages/jest-runner/tsconfig.json b/packages/jest-runner/tsconfig.json index 95c28936e714..8646589e6cf8 100644 --- a/packages/jest-runner/tsconfig.json +++ b/packages/jest-runner/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-console"}, {"path": "../jest-docblock"}, diff --git a/packages/jest-runtime/tsconfig.json b/packages/jest-runtime/tsconfig.json index 9db7077cf582..d746bf7b9bec 100644 --- a/packages/jest-runtime/tsconfig.json +++ b/packages/jest-runtime/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], "references": [ {"path": "../jest-environment"}, {"path": "../jest-environment-node"}, diff --git a/packages/jest-serializer/tsconfig.json b/packages/jest-serializer/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/jest-serializer/tsconfig.json +++ b/packages/jest-serializer/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/jest-snapshot/tsconfig.json b/packages/jest-snapshot/tsconfig.json index d0d43f32c1c1..de9818a9b1dd 100644 --- a/packages/jest-snapshot/tsconfig.json +++ b/packages/jest-snapshot/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__mocks__/**/*", "./**/__tests__/**/*"], "references": [ {"path": "../expect"}, {"path": "../jest-diff"}, diff --git a/packages/jest-source-map/tsconfig.json b/packages/jest-source-map/tsconfig.json index 7bb06bce6d20..bb13eb783ccc 100644 --- a/packages/jest-source-map/tsconfig.json +++ b/packages/jest-source-map/tsconfig.json @@ -3,5 +3,7 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"] } diff --git a/packages/jest-test-result/tsconfig.json b/packages/jest-test-result/tsconfig.json index 574a74911579..22378fc11b19 100644 --- a/packages/jest-test-result/tsconfig.json +++ b/packages/jest-test-result/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-console"}, {"path": "../jest-types"}] } diff --git a/packages/jest-test-sequencer/tsconfig.json b/packages/jest-test-sequencer/tsconfig.json index 8f8417fc4e78..afb827643b6e 100644 --- a/packages/jest-test-sequencer/tsconfig.json +++ b/packages/jest-test-sequencer/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-haste-map"}, {"path": "../jest-runtime"}, diff --git a/packages/jest-transform/tsconfig.json b/packages/jest-transform/tsconfig.json index 102b4e3641b9..b663b58b48db 100644 --- a/packages/jest-transform/tsconfig.json +++ b/packages/jest-transform/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-haste-map"}, {"path": "../jest-regex-util"}, diff --git a/packages/jest-types/.npmignore b/packages/jest-types/.npmignore index 0f8a566fe139..83740ab0bc5a 100644 --- a/packages/jest-types/.npmignore +++ b/packages/jest-types/.npmignore @@ -1,6 +1,6 @@ **/__mocks__/** **/__tests__/** -__typechecks__ +__typetests__ src tsconfig.json tsconfig.tsbuildinfo diff --git a/packages/jest-types/__typechecks__/config.test.ts b/packages/jest-types/__typetests__/config.test.ts similarity index 95% rename from packages/jest-types/__typechecks__/config.test.ts rename to packages/jest-types/__typetests__/config.test.ts index 0bb54dbdd81c..dd69249ea7b6 100644 --- a/packages/jest-types/__typechecks__/config.test.ts +++ b/packages/jest-types/__typetests__/config.test.ts @@ -5,7 +5,7 @@ * LICENSE file in the root directory of this source tree. */ -import {expectAssignable} from 'mlh-tsd'; +import {expectAssignable} from 'tsd-lite'; import type {Config} from '@jest/types'; expectAssignable({ diff --git a/packages/jest-types/__typechecks__/expect.test.ts b/packages/jest-types/__typetests__/expect.test.ts similarity index 95% rename from packages/jest-types/__typechecks__/expect.test.ts rename to packages/jest-types/__typetests__/expect.test.ts index 80d87e86d186..3f6eae703433 100644 --- a/packages/jest-types/__typechecks__/expect.test.ts +++ b/packages/jest-types/__typetests__/expect.test.ts @@ -5,7 +5,7 @@ * LICENSE file in the root directory of this source tree. */ -import {expectError, expectType} from 'mlh-tsd'; +import {expectError, expectType} from 'tsd-lite'; import {expect} from '@jest/globals'; // asymmetric matchers @@ -182,26 +182,26 @@ expectError(expect(jest.fn()).toHaveBeenCalledTimes()); expectType(expect(jest.fn()).toBeCalledWith('value')); expectType(expect(jest.fn()).toBeCalledWith('value', 123)); -// expectError(expect(jest.fn()).toBeCalledWith()); +expectError(expect(jest.fn()).toBeCalledWith()); expectType(expect(jest.fn()).toHaveBeenCalledWith(123)); expectType(expect(jest.fn()).toHaveBeenCalledWith(123, 'value')); -// expectError(expect(jest.fn()).toHaveBeenCalledWith()); +expectError(expect(jest.fn()).toHaveBeenCalledWith()); expectType(expect(jest.fn()).lastCalledWith('value')); expectType(expect(jest.fn()).lastCalledWith('value', 123)); -// expectError(expect(jest.fn()).lastCalledWith()); +expectError(expect(jest.fn()).lastCalledWith()); expectType(expect(jest.fn()).toHaveBeenLastCalledWith(123)); expectType(expect(jest.fn()).toHaveBeenLastCalledWith(123, 'value')); -// expectError(expect(jest.fn()).toHaveBeenLastCalledWith()); +expectError(expect(jest.fn()).toHaveBeenLastCalledWith()); expectType(expect(jest.fn()).nthCalledWith(1, 'value')); expectType(expect(jest.fn()).nthCalledWith(1, 'value', 123)); -// expectError(expect(jest.fn()).nthCalledWith()); -// expectError(expect(jest.fn()).nthCalledWith(2)); +expectError(expect(jest.fn()).nthCalledWith()); +expectError(expect(jest.fn()).nthCalledWith(2)); expectType(expect(jest.fn()).toHaveBeenNthCalledWith(1, 'value')); expectType(expect(jest.fn()).toHaveBeenNthCalledWith(1, 'value', 123)); -// expectError(expect(jest.fn()).toHaveBeenNthCalledWith()); -// expectError(expect(jest.fn()).toHaveBeenNthCalledWith(2)); +expectError(expect(jest.fn()).toHaveBeenNthCalledWith()); +expectError(expect(jest.fn()).toHaveBeenNthCalledWith(2)); expectType(expect(jest.fn()).toReturn()); expectError(expect(jest.fn()).toReturn('value')); diff --git a/packages/jest-types/__typechecks__/globals.test.ts b/packages/jest-types/__typetests__/globals.test.ts similarity index 99% rename from packages/jest-types/__typechecks__/globals.test.ts rename to packages/jest-types/__typetests__/globals.test.ts index f1d843419a88..fb530a548145 100644 --- a/packages/jest-types/__typechecks__/globals.test.ts +++ b/packages/jest-types/__typetests__/globals.test.ts @@ -5,7 +5,7 @@ * LICENSE file in the root directory of this source tree. */ -import {expectError, expectType} from 'mlh-tsd'; +import {expectError, expectType} from 'tsd-lite'; import { afterAll, afterEach, diff --git a/packages/jest-types/__typechecks__/jest.test.ts b/packages/jest-types/__typetests__/jest.test.ts similarity index 98% rename from packages/jest-types/__typechecks__/jest.test.ts rename to packages/jest-types/__typetests__/jest.test.ts index a1d60669698f..3f5478f524ad 100644 --- a/packages/jest-types/__typechecks__/jest.test.ts +++ b/packages/jest-types/__typetests__/jest.test.ts @@ -5,7 +5,7 @@ * LICENSE file in the root directory of this source tree. */ -import {expectError, expectType} from 'mlh-tsd'; +import {expectError, expectType} from 'tsd-lite'; import {jest} from '@jest/globals'; import type {Mock} from 'jest-mock'; diff --git a/packages/jest-types/__typetests__/tsconfig.json b/packages/jest-types/__typetests__/tsconfig.json new file mode 100644 index 000000000000..b7577781b384 --- /dev/null +++ b/packages/jest-types/__typetests__/tsconfig.json @@ -0,0 +1,9 @@ +{ + "extends": "../../../tsconfig.json", + "compilerOptions": { + "noUnusedLocals": false, + "noUnusedParameters": false, + "skipLibCheck": true + }, + "include": ["./**/*"] +} diff --git a/packages/jest-types/package.json b/packages/jest-types/package.json index 69877cdad605..45d0f8abb6cf 100644 --- a/packages/jest-types/package.json +++ b/packages/jest-types/package.json @@ -27,7 +27,7 @@ "chalk": "^4.0.0" }, "devDependencies": { - "mlh-tsd": "^0.14.1" + "tsd-lite": "^0.5.0" }, "publishConfig": { "access": "public" diff --git a/packages/jest-types/tsconfig.json b/packages/jest-types/tsconfig.json index 7bb06bce6d20..12688a2879d6 100644 --- a/packages/jest-types/tsconfig.json +++ b/packages/jest-types/tsconfig.json @@ -3,5 +3,6 @@ "compilerOptions": { "rootDir": "src", "outDir": "build" - } + }, + "include": ["./src/**/*"] } diff --git a/packages/jest-util/tsconfig.json b/packages/jest-util/tsconfig.json index 3046cb6b9b6a..b69d4caaeea9 100644 --- a/packages/jest-util/tsconfig.json +++ b/packages/jest-util/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-types"}] } diff --git a/packages/jest-validate/tsconfig.json b/packages/jest-validate/tsconfig.json index 7c636682050f..56eef35eeaa3 100644 --- a/packages/jest-validate/tsconfig.json +++ b/packages/jest-validate/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-get-type"}, {"path": "../jest-types"}, diff --git a/packages/jest-watcher/tsconfig.json b/packages/jest-watcher/tsconfig.json index eb392c86ab90..13b8810ffd17 100644 --- a/packages/jest-watcher/tsconfig.json +++ b/packages/jest-watcher/tsconfig.json @@ -4,6 +4,8 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [ {"path": "../jest-test-result"}, {"path": "../jest-types"}, diff --git a/packages/jest-worker/tsconfig.json b/packages/jest-worker/tsconfig.json index fd735f5969a8..1eb1744765cb 100644 --- a/packages/jest-worker/tsconfig.json +++ b/packages/jest-worker/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__performance_tests__/**/*", "./**/__tests__/**/*"], "references": [{"path": "../jest-leak-detector"}] } diff --git a/packages/jest/tsconfig.json b/packages/jest/tsconfig.json index dd19623b6a88..21169670d305 100644 --- a/packages/jest/tsconfig.json +++ b/packages/jest/tsconfig.json @@ -4,5 +4,6 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], "references": [{"path": "../jest-cli"}, {"path": "../jest-core"}] } diff --git a/packages/pretty-format/tsconfig.json b/packages/pretty-format/tsconfig.json index a6d891ed53bf..e894ea391e2d 100644 --- a/packages/pretty-format/tsconfig.json +++ b/packages/pretty-format/tsconfig.json @@ -4,5 +4,7 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], + "exclude": ["./**/__tests__/**/*"], "references": [{"path": "../jest-util"}] } diff --git a/packages/test-utils/tsconfig.json b/packages/test-utils/tsconfig.json index 8be65ecb2b1e..110097eb7fef 100644 --- a/packages/test-utils/tsconfig.json +++ b/packages/test-utils/tsconfig.json @@ -4,5 +4,6 @@ "rootDir": "src", "outDir": "build" }, + "include": ["./src/**/*"], "references": [{"path": "../jest-types"}, {"path": "../pretty-format"}] } diff --git a/tsconfig.json b/tsconfig.json index 1064bd907307..0285f916ae72 100644 --- a/tsconfig.json +++ b/tsconfig.json @@ -23,12 +23,5 @@ "esModuleInterop": false, "skipLibCheck": false, "resolveJsonModule": true - }, - "exclude": [ - ".yarn/releases/*", - "**/__mocks__/**/*", - "**/__tests__/**/*", - "**/__typechecks__/**/*", - "**/build/**/*" - ] + } } diff --git a/yarn.lock b/yarn.lock index 154844e08e49..79d71fb2a791 100644 --- a/yarn.lock +++ b/yarn.lock @@ -271,7 +271,7 @@ __metadata: languageName: node linkType: hard -"@babel/code-frame@npm:^7.0.0, @babel/code-frame@npm:^7.10.4, @babel/code-frame@npm:^7.12.13, @babel/code-frame@npm:^7.16.7, @babel/code-frame@npm:^7.8.3": +"@babel/code-frame@npm:^7.0.0, @babel/code-frame@npm:^7.10.4, @babel/code-frame@npm:^7.12.13, @babel/code-frame@npm:^7.15.8, @babel/code-frame@npm:^7.16.7, @babel/code-frame@npm:^7.8.3": version: 7.16.7 resolution: "@babel/code-frame@npm:7.16.7" dependencies: @@ -2592,6 +2592,7 @@ __metadata: "@jest/globals": "workspace:*" "@jest/test-utils": "workspace:*" "@tsconfig/node10": ^1.0.8 + "@tsd/typescript": ~4.1.5 "@types/babel__core": ^7.0.0 "@types/babel__generator": ^7.0.0 "@types/babel__template": ^7.0.0 @@ -2633,7 +2634,7 @@ __metadata: jest-changed-files: "workspace:*" jest-junit: ^13.0.0 jest-mock: "workspace:*" - jest-runner-tsd: ^1.1.0 + jest-runner-tsd: ^2.0.0 jest-silent-reporter: ^0.5.0 jest-snapshot: "workspace:*" jest-snapshot-serializer-raw: ^1.1.0 @@ -2801,7 +2802,7 @@ __metadata: "@types/node": "*" "@types/yargs": ^16.0.0 chalk: ^4.0.0 - mlh-tsd: ^0.14.1 + tsd-lite: ^0.5.0 languageName: unknown linkType: soft @@ -4439,6 +4440,16 @@ __metadata: languageName: node linkType: hard +"@tsd/typescript@npm:~4.1.5": + version: 4.1.5 + resolution: "@tsd/typescript@npm:4.1.5" + bin: + tsc: typescript/bin/tsc + tsserver: typescript/bin/tsserver + checksum: 6f1f27ca5a67f30600c0da7c62ccf915374049a785660913cdbec45ab99dc2f0e1cfa1606cbc043b313cdff20424c0404a94685143e99ed58105efd0cab94df4 + languageName: node + linkType: hard + "@types/aria-query@npm:^4.2.0": version: 4.2.2 resolution: "@types/aria-query@npm:4.2.2" @@ -4587,7 +4598,7 @@ __metadata: languageName: node linkType: hard -"@types/eslint@npm:*, @types/eslint@npm:^7.2.13": +"@types/eslint@npm:*": version: 7.29.0 resolution: "@types/eslint@npm:7.29.0" dependencies: @@ -6707,22 +6718,6 @@ __metadata: languageName: node linkType: hard -"boxen@npm:^4.2.0": - version: 4.2.0 - resolution: "boxen@npm:4.2.0" - dependencies: - ansi-align: ^3.0.0 - camelcase: ^5.3.1 - chalk: ^3.0.0 - cli-boxes: ^2.2.0 - string-width: ^4.1.0 - term-size: ^2.1.0 - type-fest: ^0.8.1 - widest-line: ^3.1.0 - checksum: 667b291d227a86134aaacd6f2f997828607a8e2ead0da7b2568372728382765634df46e211f73d3b11a43784db7ec53da627a57213adbd42ce10ad39609ee4e3 - languageName: node - linkType: hard - "boxen@npm:^5.0.0, boxen@npm:^5.0.1": version: 5.1.2 resolution: "boxen@npm:5.1.2" @@ -7313,7 +7308,7 @@ __metadata: languageName: node linkType: hard -"cli-boxes@npm:^2.2.0, cli-boxes@npm:^2.2.1": +"cli-boxes@npm:^2.2.1": version: 2.2.1 resolution: "cli-boxes@npm:2.2.1" checksum: 1d39df5628a44779727cc32496fff73933f22723c0ef572c043a3fa5d9b4b88024416ff92db582076b275bdf7d7f460fc7e5fa7eb8e88d3226f08233963083a7 @@ -7990,16 +7985,27 @@ __metadata: languageName: node linkType: hard -"create-jest-runner@npm:^0.6.0": - version: 0.6.0 - resolution: "create-jest-runner@npm:0.6.0" +"create-jest-runner@npm:^0.9.0": + version: 0.9.0 + resolution: "create-jest-runner@npm:0.9.0" dependencies: - chalk: ^3.0.0 - jest-worker: ^25.1.0 - throat: ^5.0.0 + chalk: ^4.1.0 + jest-worker: ^27.0.6 + throat: ^6.0.1 + peerDependencies: + "@jest/test-result": ^27.0.0 + "@jest/types": ^27.0.0 + jest-runner: ^27.0.0 + peerDependenciesMeta: + "@jest/test-result": + optional: true + "@jest/types": + optional: true + jest-runner: + optional: true bin: create-jest-runner: generator/index.js - checksum: 18cce006b1ec46435e4a3c50c91670bc1a5b22c4e2506b3625d8016976da93506bc0f12c968ad5c620b6c2203e93aebeef4d7e6e664f03bf249cf30cd43d2e86 + checksum: 6dfacc8ac461e2f3065e29f4f95b201a070f9d05e0f3c18e69ab96d962d05a708a60417be2d19c0640d018cb900ebca549dea065599d459c97870c51932ef335 languageName: node linkType: hard @@ -9297,22 +9303,6 @@ __metadata: languageName: node linkType: hard -"eslint-formatter-pretty@npm:^4.0.0": - version: 4.1.0 - resolution: "eslint-formatter-pretty@npm:4.1.0" - dependencies: - "@types/eslint": ^7.2.13 - ansi-escapes: ^4.2.1 - chalk: ^4.1.0 - eslint-rule-docs: ^1.1.5 - log-symbols: ^4.0.0 - plur: ^4.0.0 - string-width: ^4.2.0 - supports-hyperlinks: ^2.0.0 - checksum: fe764e381dff9a3b925b9a02d95b815fbd7599629223b0647ff52967ad228a053632dcece488678d2a63b2e3e1c82b1f3efd9f774e95c30021e5a890d27460fc - languageName: node - linkType: hard - "eslint-import-resolver-node@npm:^0.3.6": version: 0.3.6 resolution: "eslint-import-resolver-node@npm:0.3.6" @@ -9433,13 +9423,6 @@ __metadata: languageName: node linkType: hard -"eslint-rule-docs@npm:^1.1.5": - version: 1.1.231 - resolution: "eslint-rule-docs@npm:1.1.231" - checksum: 21095d34306fe923c43ffaaf492c6442b4c8829c4cfe8e0da7f5200e1020cec0c836b99ac4d319f58d65d191fdd2e13f14375095eb7f60566bfa153e503b43bf - languageName: node - linkType: hard - "eslint-scope@npm:5.1.1, eslint-scope@npm:^5.1.1": version: 5.1.1 resolution: "eslint-scope@npm:5.1.1" @@ -10870,15 +10853,6 @@ __metadata: languageName: node linkType: hard -"global-dirs@npm:^2.0.1": - version: 2.1.0 - resolution: "global-dirs@npm:2.1.0" - dependencies: - ini: 1.3.7 - checksum: 32e478655226c5b64f9077c88924ba3079723fb7aabd847574bc21367369ea75d722e13aa77570e22880a51e58338bf4abfbb58f3b03de88c4784a7f94d9a25a - languageName: node - linkType: hard - "global-dirs@npm:^3.0.0": version: 3.0.0 resolution: "global-dirs@npm:3.0.0" @@ -11778,13 +11752,6 @@ __metadata: languageName: node linkType: hard -"ini@npm:1.3.7": - version: 1.3.7 - resolution: "ini@npm:1.3.7" - checksum: cf00289cb43d8de635d907c202f7dd8650d8228c322b501c089c4f52ea78dc21ebc38b07c4f37b532f52eba110d11b71f32bc22173097ca0e9c8521575688d7c - languageName: node - linkType: hard - "ini@npm:2.0.0": version: 2.0.0 resolution: "ini@npm:2.0.0" @@ -11890,13 +11857,6 @@ __metadata: languageName: node linkType: hard -"irregular-plurals@npm:^3.2.0": - version: 3.3.0 - resolution: "irregular-plurals@npm:3.3.0" - checksum: ca26e42b7e71267f80497c174ea211a6d2327d07742ab493b5450adbbd6e96d5c0e2f7c89695134eca591216bf9a2b050a3b2a66c7491716772b17d473e3456d - languageName: node - linkType: hard - "is-accessor-descriptor@npm:^0.1.6": version: 0.1.6 resolution: "is-accessor-descriptor@npm:0.1.6" @@ -12159,16 +12119,6 @@ __metadata: languageName: node linkType: hard -"is-installed-globally@npm:^0.3.1": - version: 0.3.2 - resolution: "is-installed-globally@npm:0.3.2" - dependencies: - global-dirs: ^2.0.1 - is-path-inside: ^3.0.1 - checksum: 10fc4fb09fe86c0ed5fa21e821607c6e1ca258386787b1aaad3afbe59470d0c3b50b076cbc996173b9b4c0de7d6a8b741aabf9229ab09d6c37ff663e51631529 - languageName: node - linkType: hard - "is-installed-globally@npm:^0.4.0": version: 0.4.0 resolution: "is-installed-globally@npm:0.4.0" @@ -12200,13 +12150,6 @@ __metadata: languageName: node linkType: hard -"is-npm@npm:^4.0.0": - version: 4.0.0 - resolution: "is-npm@npm:4.0.0" - checksum: 94ab2edae37293ceba039729ba1de851448059979138f72d7184a89a484bf70fbefc462268fecf59865e54ce972c15164229acc73bd56c025a7afc7dd0702c40 - languageName: node - linkType: hard - "is-npm@npm:^5.0.0": version: 5.0.0 resolution: "is-npm@npm:5.0.0" @@ -12260,7 +12203,7 @@ __metadata: languageName: node linkType: hard -"is-path-inside@npm:^3.0.1, is-path-inside@npm:^3.0.2": +"is-path-inside@npm:^3.0.2": version: 3.0.3 resolution: "is-path-inside@npm:3.0.3" checksum: b19a2937441131e68b9eb9931ec8933bc87743a8f5364f6f7e1b8fc6c1403386ecf305835fb781e3986332fada456d71ff95af77ccda5806b35aac58234f9080 @@ -12406,13 +12349,6 @@ __metadata: languageName: node linkType: hard -"is-unicode-supported@npm:^0.1.0": - version: 0.1.0 - resolution: "is-unicode-supported@npm:0.1.0" - checksum: 00ca6f5581b81d55c567d259175cb1af08c60ae95f6aad69adadfdfbe098c60ef5617ad440770d821f1710773987c0b13ed6dd375cd9ab1bd7b7dd8f9a42625c - languageName: node - linkType: hard - "is-weakref@npm:^1.0.1": version: 1.0.2 resolution: "is-weakref@npm:1.0.2" @@ -12734,15 +12670,6 @@ __metadata: languageName: unknown linkType: soft -"jest-docblock@npm:^26.0.0": - version: 26.0.0 - resolution: "jest-docblock@npm:26.0.0" - dependencies: - detect-newline: ^3.0.0 - checksum: 54b8ea1c8445a4b15e9ee5035f1bd60b0d492b87258995133a1b5df43a07803c93b54e8adaa45eae05778bd61ad57745491c625e7aa65198a9aa4f0c79030b56 - languageName: node - linkType: hard - "jest-each@^27.4.6, jest-each@workspace:packages/jest-each": version: 0.0.0-use.local resolution: "jest-each@workspace:packages/jest-each" @@ -13038,14 +12965,17 @@ __metadata: languageName: unknown linkType: soft -"jest-runner-tsd@npm:^1.1.0": - version: 1.1.0 - resolution: "jest-runner-tsd@npm:1.1.0" +"jest-runner-tsd@npm:^2.0.0": + version: 2.0.0 + resolution: "jest-runner-tsd@npm:2.0.0" dependencies: - create-jest-runner: ^0.6.0 - jest-docblock: ^26.0.0 - mlh-tsd: ^0.14.1 - checksum: 93a1dada88c6bceeabb8e60495bb295321ee7b57ba9f02137e6ace10d34baa5eb0e096da06acc9a1d1d6f6ab42fe95cb9486c8160dab257c0db5508ce8e03271 + "@babel/code-frame": ^7.15.8 + chalk: ^4.1.2 + create-jest-runner: ^0.9.0 + tsd-lite: ^0.5.0 + peerDependencies: + "@tsd/typescript": ^3.8.3 || ^4.0.7 + checksum: 33fee590e6e0a2dd6a444d37259b7b835f95df38a1502939d11a0180317734f42fe298b403ef55220b9e27d9df1b0322a1ce7189c4344ede5858cce6387e0294 languageName: node linkType: hard @@ -13303,7 +13233,7 @@ __metadata: languageName: unknown linkType: soft -"jest-worker@^27.0.2, jest-worker@^27.4.1, jest-worker@^27.4.6, jest-worker@workspace:packages/jest-worker": +"jest-worker@^27.0.2, jest-worker@^27.0.6, jest-worker@^27.4.1, jest-worker@^27.4.6, jest-worker@workspace:packages/jest-worker": version: 0.0.0-use.local resolution: "jest-worker@workspace:packages/jest-worker" dependencies: @@ -13318,16 +13248,6 @@ __metadata: languageName: unknown linkType: soft -"jest-worker@npm:^25.1.0": - version: 25.5.0 - resolution: "jest-worker@npm:25.5.0" - dependencies: - merge-stream: ^2.0.0 - supports-color: ^7.0.0 - checksum: 20ae005c58f9db5be0f9bced0df6aeca340c64e7e0c7c27264b5f5964c94013e98ccd678df935d629889136ce45594d230e547624ccce73de581a05d4a8e6315 - languageName: node - linkType: hard - "jest-worker@npm:^26.0.0, jest-worker@npm:^26.2.1, jest-worker@npm:^26.6.2": version: 26.6.2 resolution: "jest-worker@npm:26.6.2" @@ -13744,7 +13664,7 @@ __metadata: languageName: node linkType: hard -"latest-version@npm:^5.0.0, latest-version@npm:^5.1.0": +"latest-version@npm:^5.1.0": version: 5.1.0 resolution: "latest-version@npm:5.1.0" dependencies: @@ -14171,16 +14091,6 @@ __metadata: languageName: node linkType: hard -"log-symbols@npm:^4.0.0": - version: 4.1.0 - resolution: "log-symbols@npm:4.1.0" - dependencies: - chalk: ^4.1.0 - is-unicode-supported: ^0.1.0 - checksum: 57be4aeb6a6ecb81d8267600836f81928da1d846ad13384a9a22d179e27590fdb680946edbd15642a31735183adaa3dc6aae2d20e619a19fa0d54e1aee945915 - languageName: node - linkType: hard - "logkitty@npm:^0.7.1": version: 0.7.1 resolution: "logkitty@npm:0.7.1" @@ -14483,25 +14393,6 @@ __metadata: languageName: node linkType: hard -"meow@npm:^7.0.1": - version: 7.1.1 - resolution: "meow@npm:7.1.1" - dependencies: - "@types/minimist": ^1.2.0 - camelcase-keys: ^6.2.2 - decamelize-keys: ^1.1.0 - hard-rejection: ^2.1.0 - minimist-options: 4.1.0 - normalize-package-data: ^2.5.0 - read-pkg-up: ^7.0.1 - redent: ^3.0.0 - trim-newlines: ^3.0.0 - type-fest: ^0.13.1 - yargs-parser: ^18.1.3 - checksum: de6d2f15332a18da5e13bb3f935f9718cf7ae697d121009adee7a3410bfc63f6b7896476bb0e1ef101faacea4d4a4dc95108e3c9eab0e336b990a115646b72e8 - languageName: node - linkType: hard - "meow@npm:^8.0.0": version: 8.1.2 resolution: "meow@npm:8.1.2" @@ -15226,22 +15117,6 @@ __metadata: languageName: node linkType: hard -"mlh-tsd@npm:^0.14.1": - version: 0.14.1 - resolution: "mlh-tsd@npm:0.14.1" - dependencies: - eslint-formatter-pretty: ^4.0.0 - globby: ^11.0.1 - meow: ^7.0.1 - path-exists: ^4.0.0 - read-pkg-up: ^7.0.0 - update-notifier: ^4.1.0 - bin: - mlh-tsd: dist/cli.js - checksum: c9538dbe479bb770346e74789ec3681b07b8f7311a1bc8f4d1f2e527270ef66c41c490fa0f90f1594672a00c6f229d9d5a0b753af596da708d20a7b8defc130c - languageName: node - linkType: hard - "mock-fs@npm:^4.4.1": version: 4.14.0 resolution: "mock-fs@npm:4.14.0" @@ -16771,15 +16646,6 @@ __metadata: languageName: node linkType: hard -"plur@npm:^4.0.0": - version: 4.0.0 - resolution: "plur@npm:4.0.0" - dependencies: - irregular-plurals: ^3.2.0 - checksum: 22e3ba41be31e5843decf0b68ce555b7750da3b8ba56e34fbe3abc775fa9428ecf263ef401a5d0962cface0290caf0132ddd87617f02fc41789bbb0fa2a010c1 - languageName: node - linkType: hard - "portfinder@npm:^1.0.28": version: 1.0.28 resolution: "portfinder@npm:1.0.28" @@ -17550,7 +17416,7 @@ __metadata: languageName: node linkType: hard -"pupa@npm:^2.0.1, pupa@npm:^2.1.1": +"pupa@npm:^2.1.1": version: 2.1.1 resolution: "pupa@npm:2.1.1" dependencies: @@ -18224,7 +18090,7 @@ react-native@0.64.0: languageName: node linkType: hard -"read-pkg-up@npm:^7.0.0, read-pkg-up@npm:^7.0.1": +"read-pkg-up@npm:^7.0.1": version: 7.0.1 resolution: "read-pkg-up@npm:7.0.1" dependencies: @@ -20453,13 +20319,6 @@ react-native@0.64.0: languageName: node linkType: hard -"term-size@npm:^2.1.0": - version: 2.2.1 - resolution: "term-size@npm:2.2.1" - checksum: a013f688f6fc1b6410be3b2f7a04c3a9169e97186949b0bc33cc7c1943b0c88d9a943f81e518d9227cb817803e7a18c702f2971eafd6d8659ce4a1df94094246 - languageName: node - linkType: hard - "terminal-link@npm:^2.0.0": version: 2.1.1 resolution: "terminal-link@npm:2.1.1" @@ -20803,6 +20662,15 @@ react-native@0.64.0: languageName: node linkType: hard +"tsd-lite@npm:^0.5.0": + version: 0.5.0 + resolution: "tsd-lite@npm:0.5.0" + peerDependencies: + "@tsd/typescript": ^3.8.3 || ^4.0.7 + checksum: 6590ca24f2ac07e961ec3786a94269c26bfa93b09c3d397f5f3c3b09fedee515dbe96aa09de4c24ce3a42a3bbe47543f0a30aa06770b34b4a6eb8b61e92dce21 + languageName: node + linkType: hard + "tslib@npm:^1.8.1, tslib@npm:^1.9.0": version: 1.14.1 resolution: "tslib@npm:1.14.1" @@ -20869,13 +20737,6 @@ react-native@0.64.0: languageName: node linkType: hard -"type-fest@npm:^0.13.1": - version: 0.13.1 - resolution: "type-fest@npm:0.13.1" - checksum: 11acce4f34c75a838914bdc4a0133d2dd0864e313897471974880df82624159521bae691a6100ff99f93be2d0f8871ecdab18573d2c67e61905cf2f5cbfa52a6 - languageName: node - linkType: hard - "type-fest@npm:^0.16.0": version: 0.16.0 resolution: "type-fest@npm:0.16.0" @@ -21366,27 +21227,6 @@ react-native@0.64.0: languageName: node linkType: hard -"update-notifier@npm:^4.1.0": - version: 4.1.3 - resolution: "update-notifier@npm:4.1.3" - dependencies: - boxen: ^4.2.0 - chalk: ^3.0.0 - configstore: ^5.0.1 - has-yarn: ^2.1.0 - import-lazy: ^2.1.0 - is-ci: ^2.0.0 - is-installed-globally: ^0.3.1 - is-npm: ^4.0.0 - is-yarn-global: ^0.3.0 - latest-version: ^5.0.0 - pupa: ^2.0.1 - semver-diff: ^3.1.1 - xdg-basedir: ^4.0.0 - checksum: 90362dcdf349651f92cffc6b9c1dfe6cb1035c1af3e4952316800d7aa05e98ba7bd291edd315aa215ce3f9b4b246f1fc2489a25c85c6fee8bdd0163731b3e1fa - languageName: node - linkType: hard - "update-notifier@npm:^5.1.0": version: 5.1.0 resolution: "update-notifier@npm:5.1.0" @@ -22590,7 +22430,7 @@ react-native@0.64.0: languageName: node linkType: hard -"yargs-parser@npm:^18.1.2, yargs-parser@npm:^18.1.3": +"yargs-parser@npm:^18.1.2": version: 18.1.3 resolution: "yargs-parser@npm:18.1.3" dependencies: From b2db6cffaf4fb072b96f1cf64c5760138bed0e92 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Sat, 5 Feb 2022 13:06:43 +0530 Subject: [PATCH 16/99] feat(jest-mock): add `mockFn.mock.lastCall` to retrieve last argument (#12285) --- CHANGELOG.md | 2 ++ docs/MockFunctionAPI.md | 10 +++++++ docs/MockFunctions.md | 3 +++ .../jest-mock/src/__tests__/index.test.ts | 26 +++++++++++++++++++ packages/jest-mock/src/index.ts | 7 +++++ 5 files changed, 48 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 447f0baadf95..906194cc0824 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,8 @@ ### Features +- `[jest-mock]` Added `mockFn.mock.lastCall` to retrieve last argument ([#12285](https://github.com/facebook/jest/pull/12285)) + ### Fixes - `[expect]` Add a fix for `.toHaveProperty('')` ([#12251](https://github.com/facebook/jest/pull/12251)) diff --git a/docs/MockFunctionAPI.md b/docs/MockFunctionAPI.md index 859adfc21361..388a3f0fa836 100644 --- a/docs/MockFunctionAPI.md +++ b/docs/MockFunctionAPI.md @@ -79,6 +79,16 @@ mockFn.mock.instances[0] === a; // true mockFn.mock.instances[1] === b; // true ``` +### `mockFn.mock.lastCall` + +An array containing the call arguments of the last call that was made to this mock function. If the function was not called, it will return `undefined`. + +For example: A mock function `f` that has been called twice, with the arguments `f('arg1', 'arg2')`, and then with the arguments `f('arg3', 'arg4')`, would have a `mock.lastCall` array that looks like this: + +```js +['arg3', 'arg4']; +``` + ### `mockFn.mockClear()` Clears all information stored in the [`mockFn.mock.calls`](#mockfnmockcalls), [`mockFn.mock.instances`](#mockfnmockinstances) and [`mockFn.mock.results`](#mockfnmockresults) arrays. Often this is useful when you want to clean up a mocks usage data between two assertions. diff --git a/docs/MockFunctions.md b/docs/MockFunctions.md index 2e686a92e837..38870027a515 100644 --- a/docs/MockFunctions.md +++ b/docs/MockFunctions.md @@ -75,6 +75,9 @@ expect(someMockFunction.mock.instances.length).toBe(2); // The object returned by the first instantiation of this function // had a `name` property whose value was set to 'test' expect(someMockFunction.mock.instances[0].name).toEqual('test'); + +// The first argument of the last call to the function was 'test' +expect(someMockFunction.mock.lastCall[0]).toBe('test'); ``` ## Mock Return Values diff --git a/packages/jest-mock/src/__tests__/index.test.ts b/packages/jest-mock/src/__tests__/index.test.ts index bcee51078f13..d01c6243d92b 100644 --- a/packages/jest-mock/src/__tests__/index.test.ts +++ b/packages/jest-mock/src/__tests__/index.test.ts @@ -1064,6 +1064,32 @@ describe('moduleMocker', () => { expect(fn.getMockName()).toBe('myMockFn'); }); + test('jest.fn should provide the correct lastCall', () => { + const mock = jest.fn(); + + expect(mock.mock).not.toHaveProperty('lastCall'); + + mock('first'); + mock('second'); + mock('last', 'call'); + + expect(mock).toHaveBeenLastCalledWith('last', 'call'); + expect(mock.mock.lastCall).toEqual(['last', 'call']); + }); + + test('lastCall gets reset by mockReset', () => { + const mock = jest.fn(); + + mock('first'); + mock('last', 'call'); + + expect(mock.mock.lastCall).toEqual(['last', 'call']); + + mock.mockReset(); + + expect(mock.mock).not.toHaveProperty('lastCall'); + }); + test('mockName gets reset by mockReset', () => { const fn = jest.fn(); expect(fn.getMockName()).toBe('jest.fn()'); diff --git a/packages/jest-mock/src/index.ts b/packages/jest-mock/src/index.ts index 71b4e32a6ce8..fb0e99fef11b 100644 --- a/packages/jest-mock/src/index.ts +++ b/packages/jest-mock/src/index.ts @@ -166,6 +166,10 @@ type MockFunctionState> = { calls: Array; instances: Array; invocationCallOrder: Array; + /** + * Getter for retrieving the last call arguments + */ + lastCall?: Y; /** * List of results of calls to the mock function. */ @@ -516,6 +520,9 @@ export class ModuleMocker { state = this._defaultMockState(); this._mockState.set(f, state); } + if (state.calls.length > 0) { + state.lastCall = state.calls[state.calls.length - 1]; + } return state; } From 18dc88e6f3da0a02923eb6c4e66a78f2b30e3480 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Sat, 5 Feb 2022 13:07:43 +0530 Subject: [PATCH 17/99] chore(docs): clarify timer-mocks page (#12241) --- docs/TimerMocks.md | 4 +++- website/versioned_docs/version-25.x/TimerMocks.md | 8 ++++++-- website/versioned_docs/version-26.x/TimerMocks.md | 8 ++++++-- website/versioned_docs/version-27.0/TimerMocks.md | 8 ++++++-- website/versioned_docs/version-27.1/TimerMocks.md | 8 ++++++-- website/versioned_docs/version-27.2/TimerMocks.md | 7 +++++-- website/versioned_docs/version-27.4/TimerMocks.md | 8 ++++++-- 7 files changed, 38 insertions(+), 13 deletions(-) diff --git a/docs/TimerMocks.md b/docs/TimerMocks.md index b053c1dbdfc9..105a5b6285c1 100644 --- a/docs/TimerMocks.md +++ b/docs/TimerMocks.md @@ -58,6 +58,7 @@ test('do something with real timers', () => { Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -150,7 +151,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-25.x/TimerMocks.md b/website/versioned_docs/version-25.x/TimerMocks.md index 8086ccd10b8b..5731c8cd585f 100644 --- a/website/versioned_docs/version-25.x/TimerMocks.md +++ b/website/versioned_docs/version-25.x/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file test('waits 1 second before ending the game', () => { const timerGame = require('../timerGame'); @@ -35,11 +35,14 @@ test('waits 1 second before ending the game', () => { Here we enable fake timers by calling `jest.useFakeTimers();`. This mocks out setTimeout and other timer functions with mock functions. If running multiple tests inside of one file or describe block, `jest.useFakeTimers();` can be called before each test manually or with a setup function such as `beforeEach`. Not doing so will result in the internal usage counter not being reset. +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -134,7 +137,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-26.x/TimerMocks.md b/website/versioned_docs/version-26.x/TimerMocks.md index 8086ccd10b8b..5731c8cd585f 100644 --- a/website/versioned_docs/version-26.x/TimerMocks.md +++ b/website/versioned_docs/version-26.x/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file test('waits 1 second before ending the game', () => { const timerGame = require('../timerGame'); @@ -35,11 +35,14 @@ test('waits 1 second before ending the game', () => { Here we enable fake timers by calling `jest.useFakeTimers();`. This mocks out setTimeout and other timer functions with mock functions. If running multiple tests inside of one file or describe block, `jest.useFakeTimers();` can be called before each test manually or with a setup function such as `beforeEach`. Not doing so will result in the internal usage counter not being reset. +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -134,7 +137,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-27.0/TimerMocks.md b/website/versioned_docs/version-27.0/TimerMocks.md index b053c1dbdfc9..037e16cab377 100644 --- a/website/versioned_docs/version-27.0/TimerMocks.md +++ b/website/versioned_docs/version-27.0/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file jest.spyOn(global, 'setTimeout'); test('waits 1 second before ending the game', () => { @@ -53,11 +53,14 @@ test('do something with real timers', () => { }); ``` +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -150,7 +153,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-27.1/TimerMocks.md b/website/versioned_docs/version-27.1/TimerMocks.md index b053c1dbdfc9..037e16cab377 100644 --- a/website/versioned_docs/version-27.1/TimerMocks.md +++ b/website/versioned_docs/version-27.1/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file jest.spyOn(global, 'setTimeout'); test('waits 1 second before ending the game', () => { @@ -53,11 +53,14 @@ test('do something with real timers', () => { }); ``` +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -150,7 +153,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-27.2/TimerMocks.md b/website/versioned_docs/version-27.2/TimerMocks.md index b053c1dbdfc9..88266c429cbd 100644 --- a/website/versioned_docs/version-27.2/TimerMocks.md +++ b/website/versioned_docs/version-27.2/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file jest.spyOn(global, 'setTimeout'); test('waits 1 second before ending the game', () => { @@ -53,6 +53,8 @@ test('do something with real timers', () => { }); ``` +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: @@ -150,7 +152,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); diff --git a/website/versioned_docs/version-27.4/TimerMocks.md b/website/versioned_docs/version-27.4/TimerMocks.md index b053c1dbdfc9..037e16cab377 100644 --- a/website/versioned_docs/version-27.4/TimerMocks.md +++ b/website/versioned_docs/version-27.4/TimerMocks.md @@ -22,7 +22,7 @@ module.exports = timerGame; ```javascript title="__tests__/timerGame-test.js" 'use strict'; -jest.useFakeTimers(); +jest.useFakeTimers(); // or you can set "timers": "fake" globally in configuration file jest.spyOn(global, 'setTimeout'); test('waits 1 second before ending the game', () => { @@ -53,11 +53,14 @@ test('do something with real timers', () => { }); ``` +All of the following functions need fake timers to be set, either by `jest.useFakeTimers()` or via `"timers": "fake"` in the config file. + ## Run All Timers Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -150,7 +153,8 @@ function timerGame(callback) { module.exports = timerGame; ``` -```javascript +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); it('calls the callback after 1 second via advanceTimersByTime', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); From 38a3906b72d9126b8da70961a3f9a3abbc645344 Mon Sep 17 00:00:00 2001 From: Cambuchi <49548018+Cambuchi@users.noreply.github.com> Date: Sat, 5 Feb 2022 00:02:24 -0800 Subject: [PATCH 18/99] chore(docs): add needed capitalization (#12246) --- website/versioned_docs/version-25.x/GettingStarted.md | 2 +- website/versioned_docs/version-26.x/GettingStarted.md | 2 +- website/versioned_docs/version-27.0/GettingStarted.md | 2 +- website/versioned_docs/version-27.1/GettingStarted.md | 2 +- website/versioned_docs/version-27.2/GettingStarted.md | 2 +- website/versioned_docs/version-27.4/GettingStarted.md | 2 +- 6 files changed, 6 insertions(+), 6 deletions(-) diff --git a/website/versioned_docs/version-25.x/GettingStarted.md b/website/versioned_docs/version-25.x/GettingStarted.md index 423b1e4c42b6..d14af024c7a6 100644 --- a/website/versioned_docs/version-25.x/GettingStarted.md +++ b/website/versioned_docs/version-25.x/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel diff --git a/website/versioned_docs/version-26.x/GettingStarted.md b/website/versioned_docs/version-26.x/GettingStarted.md index 423b1e4c42b6..d14af024c7a6 100644 --- a/website/versioned_docs/version-26.x/GettingStarted.md +++ b/website/versioned_docs/version-26.x/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel diff --git a/website/versioned_docs/version-27.0/GettingStarted.md b/website/versioned_docs/version-27.0/GettingStarted.md index 423b1e4c42b6..d14af024c7a6 100644 --- a/website/versioned_docs/version-27.0/GettingStarted.md +++ b/website/versioned_docs/version-27.0/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel diff --git a/website/versioned_docs/version-27.1/GettingStarted.md b/website/versioned_docs/version-27.1/GettingStarted.md index 423b1e4c42b6..d14af024c7a6 100644 --- a/website/versioned_docs/version-27.1/GettingStarted.md +++ b/website/versioned_docs/version-27.1/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel diff --git a/website/versioned_docs/version-27.2/GettingStarted.md b/website/versioned_docs/version-27.2/GettingStarted.md index 423b1e4c42b6..d14af024c7a6 100644 --- a/website/versioned_docs/version-27.2/GettingStarted.md +++ b/website/versioned_docs/version-27.2/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel diff --git a/website/versioned_docs/version-27.4/GettingStarted.md b/website/versioned_docs/version-27.4/GettingStarted.md index 967ab4b06d3c..786071c97c7b 100644 --- a/website/versioned_docs/version-27.4/GettingStarted.md +++ b/website/versioned_docs/version-27.4/GettingStarted.md @@ -141,7 +141,7 @@ While we generally recommend using the same version of every Jest package, this ### Using webpack -Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. Webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. ### Using parcel From f1cf87b80c384b04568c3a8a64236fa0dbe8a328 Mon Sep 17 00:00:00 2001 From: Vlad Sholokhov Date: Sat, 5 Feb 2022 11:03:41 +0300 Subject: [PATCH 19/99] [docs] Update Troubleshooting.md (#12185) --- docs/Troubleshooting.md | 6 +----- website/versioned_docs/version-25.x/Troubleshooting.md | 6 +----- website/versioned_docs/version-26.x/Troubleshooting.md | 6 +----- website/versioned_docs/version-27.0/Troubleshooting.md | 6 +----- website/versioned_docs/version-27.1/Troubleshooting.md | 6 +----- website/versioned_docs/version-27.2/Troubleshooting.md | 6 +----- website/versioned_docs/version-27.4/Troubleshooting.md | 6 +----- 7 files changed, 7 insertions(+), 35 deletions(-) diff --git a/docs/Troubleshooting.md b/docs/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/docs/Troubleshooting.md +++ b/docs/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-25.x/Troubleshooting.md b/website/versioned_docs/version-25.x/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-25.x/Troubleshooting.md +++ b/website/versioned_docs/version-25.x/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-26.x/Troubleshooting.md b/website/versioned_docs/version-26.x/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-26.x/Troubleshooting.md +++ b/website/versioned_docs/version-26.x/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-27.0/Troubleshooting.md b/website/versioned_docs/version-27.0/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-27.0/Troubleshooting.md +++ b/website/versioned_docs/version-27.0/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-27.1/Troubleshooting.md b/website/versioned_docs/version-27.1/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-27.1/Troubleshooting.md +++ b/website/versioned_docs/version-27.1/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-27.2/Troubleshooting.md b/website/versioned_docs/version-27.2/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-27.2/Troubleshooting.md +++ b/website/versioned_docs/version-27.2/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues diff --git a/website/versioned_docs/version-27.4/Troubleshooting.md b/website/versioned_docs/version-27.4/Troubleshooting.md index 52ca0f3358e4..28cea902472d 100644 --- a/website/versioned_docs/version-27.4/Troubleshooting.md +++ b/website/versioned_docs/version-27.4/Troubleshooting.md @@ -124,11 +124,7 @@ More information on Node debugging can be found [here](https://nodejs.org/api/de ## Debugging in WebStorm -The easiest way to debug Jest tests in [WebStorm](https://www.jetbrains.com/webstorm/) is using `Jest run/debug configuration`. It will launch tests and automatically attach debugger. - -In the WebStorm menu `Run` select `Edit Configurations...`. Then click `+` and select `Jest`. Optionally specify the Jest configuration file, additional options, and environment variables. Save the configuration, put the breakpoints in the code, then click the green debug icon to start debugging. - -If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), in the Jest run/debug configuration specify the path to the `react-scripts` package in the Jest package field and add `--env=jsdom` to the Jest options field. +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. ## Caching Issues From 02506f8f108927336bacec86b83265e930dc46dd Mon Sep 17 00:00:00 2001 From: Robert Dyjas <15113729+robdy@users.noreply.github.com> Date: Sat, 5 Feb 2022 09:04:22 +0100 Subject: [PATCH 20/99] chore(docs): fix broken link in Snapshot Testing docs (#12254) From 9d6fb4b1fa8f2399b7296bce06e5f3e5a662f675 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Sat, 5 Feb 2022 13:35:34 +0530 Subject: [PATCH 21/99] chore(docs): specify an error message in Timermocks (#12248) --- docs/TimerMocks.md | 8 +++++++- website/versioned_docs/version-25.x/TimerMocks.md | 8 +++++++- website/versioned_docs/version-26.x/TimerMocks.md | 8 +++++++- website/versioned_docs/version-27.0/TimerMocks.md | 8 +++++++- website/versioned_docs/version-27.1/TimerMocks.md | 8 +++++++- website/versioned_docs/version-27.2/TimerMocks.md | 9 ++++++++- website/versioned_docs/version-27.4/TimerMocks.md | 8 +++++++- 7 files changed, 50 insertions(+), 7 deletions(-) diff --git a/docs/TimerMocks.md b/docs/TimerMocks.md index 105a5b6285c1..29613b26dbff 100644 --- a/docs/TimerMocks.md +++ b/docs/TimerMocks.md @@ -79,7 +79,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-25.x/TimerMocks.md b/website/versioned_docs/version-25.x/TimerMocks.md index 5731c8cd585f..8598c63c7e6c 100644 --- a/website/versioned_docs/version-25.x/TimerMocks.md +++ b/website/versioned_docs/version-25.x/TimerMocks.md @@ -63,7 +63,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-26.x/TimerMocks.md b/website/versioned_docs/version-26.x/TimerMocks.md index 5731c8cd585f..8598c63c7e6c 100644 --- a/website/versioned_docs/version-26.x/TimerMocks.md +++ b/website/versioned_docs/version-26.x/TimerMocks.md @@ -63,7 +63,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-27.0/TimerMocks.md b/website/versioned_docs/version-27.0/TimerMocks.md index 037e16cab377..44c210c4eebe 100644 --- a/website/versioned_docs/version-27.0/TimerMocks.md +++ b/website/versioned_docs/version-27.0/TimerMocks.md @@ -81,7 +81,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-27.1/TimerMocks.md b/website/versioned_docs/version-27.1/TimerMocks.md index 037e16cab377..44c210c4eebe 100644 --- a/website/versioned_docs/version-27.1/TimerMocks.md +++ b/website/versioned_docs/version-27.1/TimerMocks.md @@ -81,7 +81,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-27.2/TimerMocks.md b/website/versioned_docs/version-27.2/TimerMocks.md index 88266c429cbd..44c210c4eebe 100644 --- a/website/versioned_docs/version-27.2/TimerMocks.md +++ b/website/versioned_docs/version-27.2/TimerMocks.md @@ -60,6 +60,7 @@ All of the following functions need fake timers to be set, either by `jest.useFa Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: ```javascript +jest.useFakeTimers(); test('calls the callback after 1 second', () => { const timerGame = require('../timerGame'); const callback = jest.fn(); @@ -80,7 +81,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; diff --git a/website/versioned_docs/version-27.4/TimerMocks.md b/website/versioned_docs/version-27.4/TimerMocks.md index 037e16cab377..44c210c4eebe 100644 --- a/website/versioned_docs/version-27.4/TimerMocks.md +++ b/website/versioned_docs/version-27.4/TimerMocks.md @@ -81,7 +81,13 @@ test('calls the callback after 1 second', () => { ## Run Pending Timers -There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop… so something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: ```javascript title="infiniteTimerGame.js" 'use strict'; From 4715c09f55d8b9cc8ac85a81611e19d50af91717 Mon Sep 17 00:00:00 2001 From: Michael Judd Date: Sat, 5 Feb 2022 03:08:14 -0500 Subject: [PATCH 22/99] chore(docs): add note about `retryTimes` placement (#12212) --- docs/JestObjectAPI.md | 2 +- website/versioned_docs/version-27.0/JestObjectAPI.md | 2 +- website/versioned_docs/version-27.1/JestObjectAPI.md | 2 +- website/versioned_docs/version-27.2/JestObjectAPI.md | 2 +- website/versioned_docs/version-27.4/JestObjectAPI.md | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/docs/JestObjectAPI.md b/docs/JestObjectAPI.md index 957e90cd6505..16ca6cdcd6f5 100644 --- a/docs/JestObjectAPI.md +++ b/docs/JestObjectAPI.md @@ -716,7 +716,7 @@ jest.setTimeout(1000); // 1 second ### `jest.retryTimes()` -Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. Example in a test: diff --git a/website/versioned_docs/version-27.0/JestObjectAPI.md b/website/versioned_docs/version-27.0/JestObjectAPI.md index ddfd7fafea74..6b5daf2d10df 100644 --- a/website/versioned_docs/version-27.0/JestObjectAPI.md +++ b/website/versioned_docs/version-27.0/JestObjectAPI.md @@ -672,7 +672,7 @@ jest.setTimeout(1000); // 1 second ### `jest.retryTimes()` -Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. Example in a test: diff --git a/website/versioned_docs/version-27.1/JestObjectAPI.md b/website/versioned_docs/version-27.1/JestObjectAPI.md index ddfd7fafea74..6b5daf2d10df 100644 --- a/website/versioned_docs/version-27.1/JestObjectAPI.md +++ b/website/versioned_docs/version-27.1/JestObjectAPI.md @@ -672,7 +672,7 @@ jest.setTimeout(1000); // 1 second ### `jest.retryTimes()` -Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. Example in a test: diff --git a/website/versioned_docs/version-27.2/JestObjectAPI.md b/website/versioned_docs/version-27.2/JestObjectAPI.md index ddfd7fafea74..6b5daf2d10df 100644 --- a/website/versioned_docs/version-27.2/JestObjectAPI.md +++ b/website/versioned_docs/version-27.2/JestObjectAPI.md @@ -672,7 +672,7 @@ jest.setTimeout(1000); // 1 second ### `jest.retryTimes()` -Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. Example in a test: diff --git a/website/versioned_docs/version-27.4/JestObjectAPI.md b/website/versioned_docs/version-27.4/JestObjectAPI.md index 957e90cd6505..16ca6cdcd6f5 100644 --- a/website/versioned_docs/version-27.4/JestObjectAPI.md +++ b/website/versioned_docs/version-27.4/JestObjectAPI.md @@ -716,7 +716,7 @@ jest.setTimeout(1000); // 1 second ### `jest.retryTimes()` -Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. Example in a test: From f3390fe42a4a82d948afd66e7158a907e3302d15 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Sat, 5 Feb 2022 13:44:01 +0530 Subject: [PATCH 23/99] chore: use `u` flag for regexes (#12249) --- e2e/__tests__/declarationErrors.test.ts | 2 +- packages/jest-repl/src/__tests__/jest_repl.test.js | 2 +- packages/jest-reporters/src/utils.ts | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/e2e/__tests__/declarationErrors.test.ts b/e2e/__tests__/declarationErrors.test.ts index 777096cbc4e7..c35c62c6ae9f 100644 --- a/e2e/__tests__/declarationErrors.test.ts +++ b/e2e/__tests__/declarationErrors.test.ts @@ -19,7 +19,7 @@ const extractMessage = (str: string) => ) .match( // all lines from the first to the last mentioned "describe" after the "●" line - /●(.|\n)*?\n(?.*describe((.|\n)*describe)*.*)(\n|$)/im, + /●(.|\n)*?\n(?.*describe((.|\n)*describe)*.*)(\n|$)/imu, )?.groups?.lines ?? '', ); diff --git a/packages/jest-repl/src/__tests__/jest_repl.test.js b/packages/jest-repl/src/__tests__/jest_repl.test.js index ebf51b028caf..943ac20bdc38 100644 --- a/packages/jest-repl/src/__tests__/jest_repl.test.js +++ b/packages/jest-repl/src/__tests__/jest_repl.test.js @@ -29,7 +29,7 @@ describe('Repl', () => { env: process.env, }); expect(output.stderr.trim()).toBe(''); - expect(output.stdout.trim()).toMatch(/›/); + expect(output.stdout.trim()).toMatch(/›/u); }); }); }); diff --git a/packages/jest-reporters/src/utils.ts b/packages/jest-reporters/src/utils.ts index 346314c5d1ce..9e6855e3bfe2 100644 --- a/packages/jest-reporters/src/utils.ts +++ b/packages/jest-reporters/src/utils.ts @@ -278,7 +278,7 @@ export const wrapAnsiString = ( return string; } - const ANSI_REGEXP = /[\u001b\u009b]\[\d{1,2}m/g; + const ANSI_REGEXP = /[\u001b\u009b]\[\d{1,2}m/gu; const tokens = []; let lastIndex = 0; let match; From d0f71d1917f149110150f84cfe5d7a0b3a304b59 Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 09:47:12 +0100 Subject: [PATCH 24/99] chore: add missing peer dep --- packages/jest-types/package.json | 1 + yarn.lock | 1 + 2 files changed, 2 insertions(+) diff --git a/packages/jest-types/package.json b/packages/jest-types/package.json index 45d0f8abb6cf..9efb6c0e638b 100644 --- a/packages/jest-types/package.json +++ b/packages/jest-types/package.json @@ -27,6 +27,7 @@ "chalk": "^4.0.0" }, "devDependencies": { + "@tsd/typescript": "~4.1.5", "tsd-lite": "^0.5.0" }, "publishConfig": { diff --git a/yarn.lock b/yarn.lock index 79d71fb2a791..a5849ae19f77 100644 --- a/yarn.lock +++ b/yarn.lock @@ -2797,6 +2797,7 @@ __metadata: version: 0.0.0-use.local resolution: "@jest/types@workspace:packages/jest-types" dependencies: + "@tsd/typescript": ~4.1.5 "@types/istanbul-lib-coverage": ^2.0.0 "@types/istanbul-reports": ^3.0.0 "@types/node": "*" From 33b2cc029f51a82c46bd11e65ceb6caf81254d13 Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 10:02:43 +0100 Subject: [PATCH 25/99] chore: get rid of peer dependency warning from `react-native-codegen` --- .yarnrc.yml | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/.yarnrc.yml b/.yarnrc.yml index e875a57bb43e..a5670d17c0cd 100644 --- a/.yarnrc.yml +++ b/.yarnrc.yml @@ -2,6 +2,14 @@ enableGlobalCache: true nodeLinker: node-modules +packageExtensions: + react-native@*: + peerDependencies: + "@babel/preset-env": "^7.1.6" + react-native-codegen@*: + peerDependencies: + "@babel/preset-env": "^7.1.6" + plugins: - path: .yarn/plugins/@yarnpkg/plugin-interactive-tools.cjs spec: "@yarnpkg/plugin-interactive-tools" From 5160ae01f81041529a1d6e81eb670ff60e997d84 Mon Sep 17 00:00:00 2001 From: BIKI DAS Date: Sat, 5 Feb 2022 14:38:39 +0530 Subject: [PATCH 26/99] feat(expect): add asymmetric matcher `expect.closeTo` (#12243) --- CHANGELOG.md | 1 + docs/ExpectAPI.md | 20 ++++ .../src/__tests__/asymmetricMatchers.test.ts | 104 ++++++++++++++++++ packages/expect/src/asymmetricMatchers.ts | 44 ++++++++ packages/expect/src/index.ts | 6 +- 5 files changed, 174 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 906194cc0824..a8d3122f60b9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ ### Features +- `[expect]` Add asymmetric matcher `expect.closeTo` ([#12243](https://github.com/facebook/jest/pull/12243)) - `[jest-mock]` Added `mockFn.mock.lastCall` to retrieve last argument ([#12285](https://github.com/facebook/jest/pull/12285)) ### Fixes diff --git a/docs/ExpectAPI.md b/docs/ExpectAPI.md index e495a8ab34e6..c1dd22306097 100644 --- a/docs/ExpectAPI.md +++ b/docs/ExpectAPI.md @@ -432,6 +432,26 @@ test('doAsync calls both callbacks', () => { The `expect.assertions(2)` call ensures that both callbacks actually get called. +### `expect.closeTo(number, numDigits?)` + +`expect.closeTo(number, numDigits?)` is useful when comparing floating point numbers in object properties or array item. If you need to compare a number, please use `.toBeCloseTo` instead. + +The optional `numDigits` argument limits the number of digits to check **after** the decimal point. For the default value `2`, the test criterion is `Math.abs(expected - received) < 0.005 (that is, 10 ** -2 / 2)`. + +For example, this test passes with a precision of 5 digits: + +```js +test('compare float in object properties', () => { + expect({ + title: '0.1 + 0.2', + sum: 0.1 + 0.2, + }).toEqual({ + title: '0.1 + 0.2', + sum: expect.closeTo(0.3, 5), + }); +}); +``` + ### `expect.hasAssertions()` `expect.hasAssertions()` verifies that at least one assertion is called during a test. This is often useful when testing asynchronous code, in order to make sure that assertions in a callback actually got called. diff --git a/packages/expect/src/__tests__/asymmetricMatchers.test.ts b/packages/expect/src/__tests__/asymmetricMatchers.test.ts index 68243087aa7b..c1db50a353da 100644 --- a/packages/expect/src/__tests__/asymmetricMatchers.test.ts +++ b/packages/expect/src/__tests__/asymmetricMatchers.test.ts @@ -12,6 +12,8 @@ import { anything, arrayContaining, arrayNotContaining, + closeTo, + notCloseTo, objectContaining, objectNotContaining, stringContaining, @@ -377,3 +379,105 @@ test('StringNotMatching throws if expected value is neither string nor regexp', test('StringNotMatching returns true if received value is not string', () => { jestExpect(stringNotMatching('en').asymmetricMatch(1)).toBe(true); }); + +describe('closeTo', () => { + [ + [0, 0], + [0, 0.001], + [1.23, 1.229], + [1.23, 1.226], + [1.23, 1.225], + [1.23, 1.234], + [Infinity, Infinity], + [-Infinity, -Infinity], + ].forEach(([expected, received]) => { + test(`${expected} closeTo ${received} return true`, () => { + jestExpect(closeTo(expected).asymmetricMatch(received)).toBe(true); + }); + test(`${expected} notCloseTo ${received} return false`, () => { + jestExpect(notCloseTo(expected).asymmetricMatch(received)).toBe(false); + }); + }); + + [ + [0, 0.01], + [1, 1.23], + [1.23, 1.2249999], + [Infinity, -Infinity], + [Infinity, 1.23], + [-Infinity, -1.23], + ].forEach(([expected, received]) => { + test(`${expected} closeTo ${received} return false`, () => { + jestExpect(closeTo(expected).asymmetricMatch(received)).toBe(false); + }); + test(`${expected} notCloseTo ${received} return true`, () => { + jestExpect(notCloseTo(expected).asymmetricMatch(received)).toBe(true); + }); + }); + + [ + [0, 0.1, 0], + [0, 0.0001, 3], + [0, 0.000004, 5], + [2.0000002, 2, 5], + ].forEach(([expected, received, precision]) => { + test(`${expected} closeTo ${received} with precision ${precision} return true`, () => { + jestExpect(closeTo(expected, precision).asymmetricMatch(received)).toBe( + true, + ); + }); + test(`${expected} notCloseTo ${received} with precision ${precision} return false`, () => { + jestExpect( + notCloseTo(expected, precision).asymmetricMatch(received), + ).toBe(false); + }); + }); + + [ + [3.141592e-7, 3e-7, 8], + [56789, 51234, -4], + ].forEach(([expected, received, precision]) => { + test(`${expected} closeTo ${received} with precision ${precision} return false`, () => { + jestExpect(closeTo(expected, precision).asymmetricMatch(received)).toBe( + false, + ); + }); + test(`${expected} notCloseTo ${received} with precision ${precision} return true`, () => { + jestExpect( + notCloseTo(expected, precision).asymmetricMatch(received), + ).toBe(true); + }); + }); + + test('closeTo throw if expected is not number', () => { + jestExpect(() => { + closeTo('a'); + }).toThrow(); + }); + + test('notCloseTo throw if expected is not number', () => { + jestExpect(() => { + notCloseTo('a'); + }).toThrow(); + }); + + test('closeTo throw if precision is not number', () => { + jestExpect(() => { + closeTo(1, 'a'); + }).toThrow(); + }); + + test('notCloseTo throw if precision is not number', () => { + jestExpect(() => { + notCloseTo(1, 'a'); + }).toThrow(); + }); + + test('closeTo return false if received is not number', () => { + jestExpect(closeTo(1).asymmetricMatch('a')).toBe(false); + }); + + test('notCloseTo return false if received is not number', () => { + jestExpect(notCloseTo(1).asymmetricMatch('a')).toBe(false); + }); +}); diff --git a/packages/expect/src/asymmetricMatchers.ts b/packages/expect/src/asymmetricMatchers.ts index 01f56a48df65..284dd2cf56fb 100644 --- a/packages/expect/src/asymmetricMatchers.ts +++ b/packages/expect/src/asymmetricMatchers.ts @@ -253,6 +253,46 @@ class StringMatching extends AsymmetricMatcher { return 'string'; } } +class CloseTo extends AsymmetricMatcher { + private precision: number; + constructor(sample: number, precision: number = 2, inverse: boolean = false) { + if (!isA('Number', sample)) { + throw new Error('Expected is not a Number'); + } + + if (!isA('Number', precision)) { + throw new Error('Precision is not a Number'); + } + + super(sample); + this.inverse = inverse; + this.precision = precision; + } + + asymmetricMatch(other: number) { + if (!isA('Number', other)) { + return false; + } + let result: boolean = false; + if (other === Infinity && this.sample === Infinity) { + result = true; // Infinity - Infinity is NaN + } else if (other === -Infinity && this.sample === -Infinity) { + result = true; // -Infinity - -Infinity is NaN + } else { + result = + Math.abs(this.sample - other) < Math.pow(10, -this.precision) / 2; + } + return this.inverse ? !result : result; + } + + toString() { + return `Number${this.inverse ? 'Not' : ''}CloseTo`; + } + + getExpectedType() { + return 'number'; + } +} export const any = (expectedObject: unknown): Any => new Any(expectedObject); export const anything = (): Anything => new Anything(); @@ -274,3 +314,7 @@ export const stringMatching = (expected: string | RegExp): StringMatching => new StringMatching(expected); export const stringNotMatching = (expected: string | RegExp): StringMatching => new StringMatching(expected, true); +export const closeTo = (expected: number, precision?: number): CloseTo => + new CloseTo(expected, precision); +export const notCloseTo = (expected: number, precision?: number): CloseTo => + new CloseTo(expected, precision, true); diff --git a/packages/expect/src/index.ts b/packages/expect/src/index.ts index 75ab9ba9d18d..998506e0ad39 100644 --- a/packages/expect/src/index.ts +++ b/packages/expect/src/index.ts @@ -14,6 +14,8 @@ import { anything, arrayContaining, arrayNotContaining, + closeTo, + notCloseTo, objectContaining, objectNotContaining, stringContaining, @@ -363,13 +365,15 @@ expect.any = any; expect.not = { arrayContaining: arrayNotContaining, + closeTo: notCloseTo, objectContaining: objectNotContaining, stringContaining: stringNotContaining, stringMatching: stringNotMatching, }; -expect.objectContaining = objectContaining; expect.arrayContaining = arrayContaining; +expect.closeTo = closeTo; +expect.objectContaining = objectContaining; expect.stringContaining = stringContaining; expect.stringMatching = stringMatching; From 5eed973077a42f85ee3713748b8e1c50a1eade09 Mon Sep 17 00:00:00 2001 From: Tom Mrazauskas Date: Sat, 5 Feb 2022 11:47:12 +0200 Subject: [PATCH 27/99] chore(lint): disable @typescript-eslint/no-unused-vars rule for tests and mocks (#12301) --- .eslintrc.js | 3 ++- e2e/coverage-remapping/covered.ts | 2 +- e2e/stack-trace-source-maps-with-coverage/lib.ts | 3 +-- e2e/stack-trace-source-maps/__tests__/fails.ts | 2 +- packages/expect/__typetests__/expect.test.ts | 11 +++++++---- packages/expect/package.json | 4 +++- .../src/__tests__/Replaceable.test.ts | 1 - packages/jest-snapshot/src/__tests__/utils.test.ts | 3 +-- packages/jest-types/package.json | 2 +- yarn.lock | 12 +++++++----- 10 files changed, 24 insertions(+), 19 deletions(-) diff --git a/.eslintrc.js b/.eslintrc.js index bb36714e2a68..3608aed77d00 100644 --- a/.eslintrc.js +++ b/.eslintrc.js @@ -100,7 +100,6 @@ module.exports = { 'packages/expect/src/matchers.ts', 'packages/expect/src/print.ts', 'packages/expect/src/toThrowMatchers.ts', - 'packages/expect/src/types.ts', 'packages/expect/src/utils.ts', 'packages/jest-core/src/ReporterDispatcher.ts', 'packages/jest-core/src/TestScheduler.ts', @@ -259,11 +258,13 @@ module.exports = { 'website/**', '**/__mocks__/**', '**/__tests__/**', + '**/__typetests__/**', '**/__performance_tests__/**', 'packages/diff-sequences/perf/index.js', 'packages/pretty-format/perf/test.js', ], rules: { + '@typescript-eslint/no-unused-vars': 'off', 'import/no-unresolved': 'off', 'no-console': 'off', 'no-unused-vars': 'off', diff --git a/e2e/coverage-remapping/covered.ts b/e2e/coverage-remapping/covered.ts index c98fb1b4d9eb..1e17add201fc 100644 --- a/e2e/coverage-remapping/covered.ts +++ b/e2e/coverage-remapping/covered.ts @@ -5,7 +5,7 @@ * LICENSE file in the root directory of this source tree. */ -/* eslint-disable local/ban-types-eventually, @typescript-eslint/no-unused-vars */ +/* eslint-disable local/ban-types-eventually */ export = function difference(a: number, b: number): number { const branch1: boolean = true ? 1 : 0; diff --git a/e2e/stack-trace-source-maps-with-coverage/lib.ts b/e2e/stack-trace-source-maps-with-coverage/lib.ts index 9142999572c5..18d7f451daae 100644 --- a/e2e/stack-trace-source-maps-with-coverage/lib.ts +++ b/e2e/stack-trace-source-maps-with-coverage/lib.ts @@ -4,8 +4,7 @@ * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ -// @ts-expect-error -// eslint-disable-next-line @typescript-eslint/no-unused-vars + interface NotUsedButTakesUpLines { a: number; b: string; diff --git a/e2e/stack-trace-source-maps/__tests__/fails.ts b/e2e/stack-trace-source-maps/__tests__/fails.ts index eaca9bfca2ef..90465ec9dc82 100644 --- a/e2e/stack-trace-source-maps/__tests__/fails.ts +++ b/e2e/stack-trace-source-maps/__tests__/fails.ts @@ -4,7 +4,7 @@ * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ -// eslint-disable-next-line @typescript-eslint/no-unused-vars + interface NotUsedButTakesUpLines { a: number; b: string; diff --git a/packages/expect/__typetests__/expect.test.ts b/packages/expect/__typetests__/expect.test.ts index 0fd539c8d9dd..af5d2ad1fe21 100644 --- a/packages/expect/__typetests__/expect.test.ts +++ b/packages/expect/__typetests__/expect.test.ts @@ -5,9 +5,12 @@ * LICENSE file in the root directory of this source tree. */ +import {expectError} from 'tsd-lite'; import type * as expect from 'expect'; -export type M = expect.Matchers; -export type N = expect.Matchers; -// @ts-expect-error: Generic type 'Matchers' requires between 1 and 2 type arguments. -export type E = expect.Matchers; +type M = expect.Matchers; +type N = expect.Matchers; + +expectError(() => { + type E = expect.Matchers; +}); diff --git a/packages/expect/package.json b/packages/expect/package.json index d0e899662727..d45ae07fa4fb 100644 --- a/packages/expect/package.json +++ b/packages/expect/package.json @@ -26,9 +26,11 @@ }, "devDependencies": { "@jest/test-utils": "^27.4.6", + "@tsd/typescript": "~4.1.5", "chalk": "^4.0.0", "fast-check": "^2.0.0", - "immutable": "^4.0.0" + "immutable": "^4.0.0", + "tsd-lite": "^0.5.1" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-matcher-utils/src/__tests__/Replaceable.test.ts b/packages/jest-matcher-utils/src/__tests__/Replaceable.test.ts index ef82ba3772ea..c5040d69b3ac 100644 --- a/packages/jest-matcher-utils/src/__tests__/Replaceable.test.ts +++ b/packages/jest-matcher-utils/src/__tests__/Replaceable.test.ts @@ -39,7 +39,6 @@ describe('Replaceable', () => { test('init with other type should throw error', () => { expect(() => { - //eslint-disable-next-line @typescript-eslint/no-unused-vars const replaceable = new Replaceable(new Date()); }).toThrow('Type date is not support in Replaceable!'); }); diff --git a/packages/jest-snapshot/src/__tests__/utils.test.ts b/packages/jest-snapshot/src/__tests__/utils.test.ts index 222ce9e758be..51a4f56d8880 100644 --- a/packages/jest-snapshot/src/__tests__/utils.test.ts +++ b/packages/jest-snapshot/src/__tests__/utils.test.ts @@ -178,8 +178,7 @@ test('escaping', () => { 'exports[`key`] = `"\'\\\\`;\n', ); - // @ts-expect-error - const exports = {}; // eslint-disable-line @typescript-eslint/no-unused-vars + const exports = {}; // eslint-disable-next-line no-eval const readData = eval('var exports = {}; ' + writtenData + ' exports'); expect(readData).toEqual({key: data}); diff --git a/packages/jest-types/package.json b/packages/jest-types/package.json index 9efb6c0e638b..27f81bf4628d 100644 --- a/packages/jest-types/package.json +++ b/packages/jest-types/package.json @@ -28,7 +28,7 @@ }, "devDependencies": { "@tsd/typescript": "~4.1.5", - "tsd-lite": "^0.5.0" + "tsd-lite": "^0.5.1" }, "publishConfig": { "access": "public" diff --git a/yarn.lock b/yarn.lock index a5849ae19f77..b5197b0744dc 100644 --- a/yarn.lock +++ b/yarn.lock @@ -2803,7 +2803,7 @@ __metadata: "@types/node": "*" "@types/yargs": ^16.0.0 chalk: ^4.0.0 - tsd-lite: ^0.5.0 + tsd-lite: ^0.5.1 languageName: unknown linkType: soft @@ -9883,12 +9883,14 @@ __metadata: dependencies: "@jest/test-utils": ^27.4.6 "@jest/types": ^27.4.2 + "@tsd/typescript": ~4.1.5 chalk: ^4.0.0 fast-check: ^2.0.0 immutable: ^4.0.0 jest-get-type: ^27.4.0 jest-matcher-utils: ^27.4.6 jest-message-util: ^27.4.6 + tsd-lite: ^0.5.1 languageName: unknown linkType: soft @@ -20663,12 +20665,12 @@ react-native@0.64.0: languageName: node linkType: hard -"tsd-lite@npm:^0.5.0": - version: 0.5.0 - resolution: "tsd-lite@npm:0.5.0" +"tsd-lite@npm:^0.5.0, tsd-lite@npm:^0.5.1": + version: 0.5.1 + resolution: "tsd-lite@npm:0.5.1" peerDependencies: "@tsd/typescript": ^3.8.3 || ^4.0.7 - checksum: 6590ca24f2ac07e961ec3786a94269c26bfa93b09c3d397f5f3c3b09fedee515dbe96aa09de4c24ce3a42a3bbe47543f0a30aa06770b34b4a6eb8b61e92dce21 + checksum: 875cf890f3cc10c0974a4588568ee9e5202b047480cd261dbe1e7487fb25b56df6217b2a3e95b5cc1a88d27e0e1f13299b3048b908afe2da782369e381ad083c languageName: node linkType: hard From d9ddd0055167dbd35b306f1bb7e27bad84476291 Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 10:54:13 +0100 Subject: [PATCH 28/99] chore: update changelog for release --- CHANGELOG.md | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a8d3122f60b9..ad40bf59222f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,16 @@ ### Features +### Fixes + +### Chore & Maintenance + +### Performance + +## 27.5.0 + +### Features + - `[expect]` Add asymmetric matcher `expect.closeTo` ([#12243](https://github.com/facebook/jest/pull/12243)) - `[jest-mock]` Added `mockFn.mock.lastCall` to retrieve last argument ([#12285](https://github.com/facebook/jest/pull/12285)) @@ -16,11 +26,11 @@ ### Chore & Maintenance -- `[*]` Update graceful-fs to ^4.2.9 ([#11749](https://github.com/facebook/jest/pull/11749)) +- `[*]` Update `graceful-fs` to `^4.2.9` ([#11749](https://github.com/facebook/jest/pull/11749)) ### Performance -- `[jest-resolve]` perf: skip error creation on not found stat calls ([#11749](https://github.com/facebook/jest/pull/11749)) +- `[jest-resolve]` perf: skip error creation on not found `stat` calls ([#11749](https://github.com/facebook/jest/pull/11749)) ## 27.4.7 From 247cbe6026a590deaf0d23edecc7b2779a4aace9 Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 10:59:11 +0100 Subject: [PATCH 29/99] v27.5.0 --- lerna.json | 2 +- packages/babel-jest/package.json | 10 ++--- packages/babel-plugin-jest-hoist/package.json | 2 +- packages/babel-preset-jest/package.json | 4 +- packages/diff-sequences/package.json | 2 +- packages/expect/package.json | 12 +++--- packages/jest-changed-files/package.json | 4 +- packages/jest-circus/package.json | 24 +++++------ packages/jest-cli/package.json | 14 +++---- packages/jest-config/package.json | 30 ++++++------- packages/jest-console/package.json | 10 ++--- packages/jest-core/package.json | 42 +++++++++---------- .../package.json | 6 +-- packages/jest-diff/package.json | 10 ++--- packages/jest-docblock/package.json | 2 +- packages/jest-each/package.json | 10 ++--- packages/jest-environment-jsdom/package.json | 14 +++---- packages/jest-environment-node/package.json | 14 +++---- packages/jest-environment/package.json | 8 ++-- packages/jest-fake-timers/package.json | 10 ++--- packages/jest-get-type/package.json | 2 +- packages/jest-globals/package.json | 8 ++-- packages/jest-haste-map/package.json | 14 +++---- packages/jest-jasmine2/package.json | 26 ++++++------ packages/jest-leak-detector/package.json | 6 +-- packages/jest-matcher-utils/package.json | 10 ++--- packages/jest-message-util/package.json | 6 +-- packages/jest-mock/package.json | 4 +- packages/jest-phabricator/package.json | 4 +- packages/jest-regex-util/package.json | 2 +- packages/jest-repl/package.json | 18 ++++---- packages/jest-reporters/package.json | 20 ++++----- .../jest-resolve-dependencies/package.json | 16 +++---- packages/jest-resolve/package.json | 10 ++--- packages/jest-runner/package.json | 34 +++++++-------- packages/jest-runtime/package.json | 34 +++++++-------- packages/jest-serializer/package.json | 2 +- packages/jest-snapshot/package.json | 24 +++++------ packages/jest-source-map/package.json | 2 +- packages/jest-test-result/package.json | 6 +-- packages/jest-test-sequencer/package.json | 8 ++-- packages/jest-transform/package.json | 12 +++--- packages/jest-types/package.json | 2 +- packages/jest-util/package.json | 4 +- packages/jest-validate/package.json | 8 ++-- packages/jest-watcher/package.json | 8 ++-- packages/jest-worker/package.json | 4 +- packages/jest/package.json | 6 +-- packages/pretty-format/package.json | 4 +- packages/test-utils/package.json | 6 +-- 50 files changed, 270 insertions(+), 270 deletions(-) diff --git a/lerna.json b/lerna.json index 3abfda23126b..41385e409bf0 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "27.4.7", + "version": "27.5.0", "npmClient": "yarn", "packages": [ "packages/*" diff --git a/packages/babel-jest/package.json b/packages/babel-jest/package.json index 35a691867ff0..a2fcec98c366 100644 --- a/packages/babel-jest/package.json +++ b/packages/babel-jest/package.json @@ -1,7 +1,7 @@ { "name": "babel-jest", "description": "Jest plugin to use babel for transformation.", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -18,18 +18,18 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "@types/babel__core": "^7.1.14", "babel-plugin-istanbul": "^6.1.1", - "babel-preset-jest": "^27.4.0", + "babel-preset-jest": "^27.5.0", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "slash": "^3.0.0" }, "devDependencies": { "@babel/core": "^7.8.0", - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/graceful-fs": "^4.1.3" }, "peerDependencies": { diff --git a/packages/babel-plugin-jest-hoist/package.json b/packages/babel-plugin-jest-hoist/package.json index 3f0fbdcee042..4157ebdd4310 100644 --- a/packages/babel-plugin-jest-hoist/package.json +++ b/packages/babel-plugin-jest-hoist/package.json @@ -1,6 +1,6 @@ { "name": "babel-plugin-jest-hoist", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/babel-preset-jest/package.json b/packages/babel-preset-jest/package.json index 2377e9ba8aac..e46ee376a24b 100644 --- a/packages/babel-preset-jest/package.json +++ b/packages/babel-preset-jest/package.json @@ -1,6 +1,6 @@ { "name": "babel-preset-jest", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -13,7 +13,7 @@ "./package.json": "./package.json" }, "dependencies": { - "babel-plugin-jest-hoist": "^27.4.0", + "babel-plugin-jest-hoist": "^27.5.0", "babel-preset-current-node-syntax": "^1.0.0" }, "peerDependencies": { diff --git a/packages/diff-sequences/package.json b/packages/diff-sequences/package.json index 0eb655364124..0b41d7b2a625 100644 --- a/packages/diff-sequences/package.json +++ b/packages/diff-sequences/package.json @@ -1,6 +1,6 @@ { "name": "diff-sequences", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/expect/package.json b/packages/expect/package.json index d45ae07fa4fb..7c9fa833e99f 100644 --- a/packages/expect/package.json +++ b/packages/expect/package.json @@ -1,6 +1,6 @@ { "name": "expect", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -19,13 +19,13 @@ "./build/matchers": "./build/matchers.js" }, "dependencies": { - "@jest/types": "^27.4.2", - "jest-get-type": "^27.4.0", - "jest-matcher-utils": "^27.4.6", - "jest-message-util": "^27.4.6" + "@jest/types": "^27.5.0", + "jest-get-type": "^27.5.0", + "jest-matcher-utils": "^27.5.0", + "jest-message-util": "^27.5.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@tsd/typescript": "~4.1.5", "chalk": "^4.0.0", "fast-check": "^2.0.0", diff --git a/packages/jest-changed-files/package.json b/packages/jest-changed-files/package.json index 8fa84dfe13bb..ec164eef6f5d 100644 --- a/packages/jest-changed-files/package.json +++ b/packages/jest-changed-files/package.json @@ -1,6 +1,6 @@ { "name": "jest-changed-files", - "version": "27.4.2", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,7 +17,7 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "execa": "^5.0.0", "throat": "^6.0.1" }, diff --git a/packages/jest-circus/package.json b/packages/jest-circus/package.json index 6e467949da07..c8bd90ec02d0 100644 --- a/packages/jest-circus/package.json +++ b/packages/jest-circus/package.json @@ -1,6 +1,6 @@ { "name": "jest-circus", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -18,22 +18,22 @@ "./runner": "./runner.js" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/test-result": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/environment": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", "co": "^4.6.0", "dedent": "^0.7.0", - "expect": "^27.4.6", + "expect": "^27.5.0", "is-generator-fn": "^2.0.0", - "jest-each": "^27.4.6", - "jest-matcher-utils": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-runtime": "^27.4.6", - "jest-snapshot": "^27.4.6", - "jest-util": "^27.4.2", - "pretty-format": "^27.4.6", + "jest-each": "^27.5.0", + "jest-matcher-utils": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-runtime": "^27.5.0", + "jest-snapshot": "^27.5.0", + "jest-util": "^27.5.0", + "pretty-format": "^27.5.0", "slash": "^3.0.0", "stack-utils": "^2.0.3", "throat": "^6.0.1" diff --git a/packages/jest-cli/package.json b/packages/jest-cli/package.json index a933f9aa099c..b242e2243c5c 100644 --- a/packages/jest-cli/package.json +++ b/packages/jest-cli/package.json @@ -1,7 +1,7 @@ { "name": "jest-cli", "description": "Delightful JavaScript Testing.", - "version": "27.4.7", + "version": "27.5.0", "main": "./build/index.js", "types": "./build/index.d.ts", "exports": { @@ -13,16 +13,16 @@ "./bin/jest": "./bin/jest.js" }, "dependencies": { - "@jest/core": "^27.4.7", - "@jest/test-result": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/core": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/types": "^27.5.0", "chalk": "^4.0.0", "exit": "^0.1.2", "graceful-fs": "^4.2.9", "import-local": "^3.0.2", - "jest-config": "^27.4.7", - "jest-util": "^27.4.2", - "jest-validate": "^27.4.6", + "jest-config": "^27.5.0", + "jest-util": "^27.5.0", + "jest-validate": "^27.5.0", "prompts": "^2.0.1", "yargs": "^16.2.0" }, diff --git a/packages/jest-config/package.json b/packages/jest-config/package.json index 05f9bd0de759..b6a45c61d06e 100644 --- a/packages/jest-config/package.json +++ b/packages/jest-config/package.json @@ -1,6 +1,6 @@ { "name": "jest-config", - "version": "27.4.7", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -26,26 +26,26 @@ }, "dependencies": { "@babel/core": "^7.8.0", - "@jest/test-sequencer": "^27.4.6", - "@jest/types": "^27.4.2", - "babel-jest": "^27.4.6", + "@jest/test-sequencer": "^27.5.0", + "@jest/types": "^27.5.0", + "babel-jest": "^27.5.0", "chalk": "^4.0.0", "ci-info": "^3.2.0", "deepmerge": "^4.2.2", "glob": "^7.1.1", "graceful-fs": "^4.2.9", - "jest-circus": "^27.4.6", - "jest-environment-jsdom": "^27.4.6", - "jest-environment-node": "^27.4.6", - "jest-get-type": "^27.4.0", - "jest-jasmine2": "^27.4.6", - "jest-regex-util": "^27.4.0", - "jest-resolve": "^27.4.6", - "jest-runner": "^27.4.6", - "jest-util": "^27.4.2", - "jest-validate": "^27.4.6", + "jest-circus": "^27.5.0", + "jest-environment-jsdom": "^27.5.0", + "jest-environment-node": "^27.5.0", + "jest-get-type": "^27.5.0", + "jest-jasmine2": "^27.5.0", + "jest-regex-util": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-runner": "^27.5.0", + "jest-util": "^27.5.0", + "jest-validate": "^27.5.0", "micromatch": "^4.0.4", - "pretty-format": "^27.4.6", + "pretty-format": "^27.5.0", "slash": "^3.0.0" }, "devDependencies": { diff --git a/packages/jest-console/package.json b/packages/jest-console/package.json index 723e9e0a38aa..0395729df51b 100644 --- a/packages/jest-console/package.json +++ b/packages/jest-console/package.json @@ -1,6 +1,6 @@ { "name": "@jest/console", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,15 +17,15 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", - "jest-message-util": "^27.4.6", - "jest-util": "^27.4.2", + "jest-message-util": "^27.5.0", + "jest-util": "^27.5.0", "slash": "^3.0.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/node": "*" }, "engines": { diff --git a/packages/jest-core/package.json b/packages/jest-core/package.json index 0e602f186af3..5f16a83d630f 100644 --- a/packages/jest-core/package.json +++ b/packages/jest-core/package.json @@ -1,7 +1,7 @@ { "name": "@jest/core", "description": "Delightful JavaScript Testing.", - "version": "27.4.7", + "version": "27.5.0", "main": "./build/jest.js", "types": "./build/jest.d.ts", "exports": { @@ -12,38 +12,38 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/console": "^27.4.6", - "@jest/reporters": "^27.4.6", - "@jest/test-result": "^27.4.6", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/console": "^27.5.0", + "@jest/reporters": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", "emittery": "^0.8.1", "exit": "^0.1.2", "graceful-fs": "^4.2.9", - "jest-changed-files": "^27.4.2", - "jest-config": "^27.4.7", - "jest-haste-map": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-regex-util": "^27.4.0", - "jest-resolve": "^27.4.6", - "jest-resolve-dependencies": "^27.4.6", - "jest-runner": "^27.4.6", - "jest-runtime": "^27.4.6", - "jest-snapshot": "^27.4.6", - "jest-util": "^27.4.2", - "jest-validate": "^27.4.6", - "jest-watcher": "^27.4.6", + "jest-changed-files": "^27.5.0", + "jest-config": "^27.5.0", + "jest-haste-map": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-regex-util": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-resolve-dependencies": "^27.5.0", + "jest-runner": "^27.5.0", + "jest-runtime": "^27.5.0", + "jest-snapshot": "^27.5.0", + "jest-util": "^27.5.0", + "jest-validate": "^27.5.0", + "jest-watcher": "^27.5.0", "micromatch": "^4.0.4", "rimraf": "^3.0.0", "slash": "^3.0.0", "strip-ansi": "^6.0.0" }, "devDependencies": { - "@jest/test-sequencer": "^27.4.6", - "@jest/test-utils": "^27.4.6", + "@jest/test-sequencer": "^27.5.0", + "@jest/test-utils": "^27.5.0", "@types/exit": "^0.1.30", "@types/graceful-fs": "^4.1.2", "@types/micromatch": "^4.0.1", diff --git a/packages/jest-create-cache-key-function/package.json b/packages/jest-create-cache-key-function/package.json index 2677f87e3f09..d7b473920cc8 100644 --- a/packages/jest-create-cache-key-function/package.json +++ b/packages/jest-create-cache-key-function/package.json @@ -1,17 +1,17 @@ { "name": "@jest/create-cache-key-function", - "version": "27.4.2", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", "directory": "packages/jest-create-cache-key-function" }, "dependencies": { - "@jest/types": "^27.4.2" + "@jest/types": "^27.5.0" }, "devDependencies": { "@types/node": "*", - "jest-util": "^27.4.2" + "jest-util": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-diff/package.json b/packages/jest-diff/package.json index 06721f8fcea7..879329c92222 100644 --- a/packages/jest-diff/package.json +++ b/packages/jest-diff/package.json @@ -1,6 +1,6 @@ { "name": "jest-diff", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -18,12 +18,12 @@ }, "dependencies": { "chalk": "^4.0.0", - "diff-sequences": "^27.4.0", - "jest-get-type": "^27.4.0", - "pretty-format": "^27.4.6" + "diff-sequences": "^27.5.0", + "jest-get-type": "^27.5.0", + "pretty-format": "^27.5.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "strip-ansi": "^6.0.0" }, "engines": { diff --git a/packages/jest-docblock/package.json b/packages/jest-docblock/package.json index 2d41bd6b981a..a4ebe955ceba 100644 --- a/packages/jest-docblock/package.json +++ b/packages/jest-docblock/package.json @@ -1,6 +1,6 @@ { "name": "jest-docblock", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-each/package.json b/packages/jest-each/package.json index 4e3b6eb5508e..92c43c942390 100644 --- a/packages/jest-each/package.json +++ b/packages/jest-each/package.json @@ -1,6 +1,6 @@ { "name": "jest-each", - "version": "27.4.6", + "version": "27.5.0", "description": "Parameterised tests for Jest", "main": "./build/index.js", "types": "./build/index.d.ts", @@ -25,11 +25,11 @@ "author": "Matt Phillips (mattphillips)", "license": "MIT", "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "chalk": "^4.0.0", - "jest-get-type": "^27.4.0", - "jest-util": "^27.4.2", - "pretty-format": "^27.4.6" + "jest-get-type": "^27.5.0", + "jest-util": "^27.5.0", + "pretty-format": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-environment-jsdom/package.json b/packages/jest-environment-jsdom/package.json index 2c07970b64cb..960b837edd7f 100644 --- a/packages/jest-environment-jsdom/package.json +++ b/packages/jest-environment-jsdom/package.json @@ -1,6 +1,6 @@ { "name": "jest-environment-jsdom", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,16 +17,16 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/fake-timers": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/environment": "^27.5.0", + "@jest/fake-timers": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", - "jest-mock": "^27.4.6", - "jest-util": "^27.4.2", + "jest-mock": "^27.5.0", + "jest-util": "^27.5.0", "jsdom": "^16.6.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/jsdom": "^16.2.4" }, "engines": { diff --git a/packages/jest-environment-node/package.json b/packages/jest-environment-node/package.json index 6274deafec97..0d6441c77b37 100644 --- a/packages/jest-environment-node/package.json +++ b/packages/jest-environment-node/package.json @@ -1,6 +1,6 @@ { "name": "jest-environment-node", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,15 +17,15 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/fake-timers": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/environment": "^27.5.0", + "@jest/fake-timers": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", - "jest-mock": "^27.4.6", - "jest-util": "^27.4.2" + "jest-mock": "^27.5.0", + "jest-util": "^27.5.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6" + "@jest/test-utils": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-environment/package.json b/packages/jest-environment/package.json index 19332fa6d0b8..011e8bc4bab3 100644 --- a/packages/jest-environment/package.json +++ b/packages/jest-environment/package.json @@ -1,6 +1,6 @@ { "name": "@jest/environment", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,10 +17,10 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/fake-timers": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/fake-timers": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", - "jest-mock": "^27.4.6" + "jest-mock": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-fake-timers/package.json b/packages/jest-fake-timers/package.json index b39cb74395ed..0bc75ed8f4b6 100644 --- a/packages/jest-fake-timers/package.json +++ b/packages/jest-fake-timers/package.json @@ -1,6 +1,6 @@ { "name": "@jest/fake-timers", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,12 +17,12 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@sinonjs/fake-timers": "^8.0.1", "@types/node": "*", - "jest-message-util": "^27.4.6", - "jest-mock": "^27.4.6", - "jest-util": "^27.4.2" + "jest-message-util": "^27.5.0", + "jest-mock": "^27.5.0", + "jest-util": "^27.5.0" }, "devDependencies": { "@types/sinonjs__fake-timers": "^6.0.1", diff --git a/packages/jest-get-type/package.json b/packages/jest-get-type/package.json index c78e99d64e4e..e64aff330e52 100644 --- a/packages/jest-get-type/package.json +++ b/packages/jest-get-type/package.json @@ -1,7 +1,7 @@ { "name": "jest-get-type", "description": "A utility function to get the type of a value", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-globals/package.json b/packages/jest-globals/package.json index 81f76b0a6e5e..61ed46c66bc5 100644 --- a/packages/jest-globals/package.json +++ b/packages/jest-globals/package.json @@ -1,6 +1,6 @@ { "name": "@jest/globals", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -20,9 +20,9 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/types": "^27.4.2", - "expect": "^27.4.6" + "@jest/environment": "^27.5.0", + "@jest/types": "^27.5.0", + "expect": "^27.5.0" }, "publishConfig": { "access": "public" diff --git a/packages/jest-haste-map/package.json b/packages/jest-haste-map/package.json index 7904f9f53d2e..de000708af46 100644 --- a/packages/jest-haste-map/package.json +++ b/packages/jest-haste-map/package.json @@ -1,6 +1,6 @@ { "name": "jest-haste-map", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,21 +17,21 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/graceful-fs": "^4.1.2", "@types/node": "*", "anymatch": "^3.0.3", "fb-watchman": "^2.0.0", "graceful-fs": "^4.2.9", - "jest-regex-util": "^27.4.0", - "jest-serializer": "^27.4.0", - "jest-util": "^27.4.2", - "jest-worker": "^27.4.6", + "jest-regex-util": "^27.5.0", + "jest-serializer": "^27.5.0", + "jest-util": "^27.5.0", + "jest-worker": "^27.5.0", "micromatch": "^4.0.4", "walker": "^1.0.7" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/fb-watchman": "^2.0.0", "@types/micromatch": "^4.0.1", "jest-snapshot-serializer-raw": "^1.1.0", diff --git a/packages/jest-jasmine2/package.json b/packages/jest-jasmine2/package.json index da323e69af3f..d0dbe02f302d 100644 --- a/packages/jest-jasmine2/package.json +++ b/packages/jest-jasmine2/package.json @@ -1,6 +1,6 @@ { "name": "jest-jasmine2", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,22 +17,22 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/source-map": "^27.4.0", - "@jest/test-result": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/environment": "^27.5.0", + "@jest/source-map": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", "co": "^4.6.0", - "expect": "^27.4.6", + "expect": "^27.5.0", "is-generator-fn": "^2.0.0", - "jest-each": "^27.4.6", - "jest-matcher-utils": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-runtime": "^27.4.6", - "jest-snapshot": "^27.4.6", - "jest-util": "^27.4.2", - "pretty-format": "^27.4.6", + "jest-each": "^27.5.0", + "jest-matcher-utils": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-runtime": "^27.5.0", + "jest-snapshot": "^27.5.0", + "jest-util": "^27.5.0", + "pretty-format": "^27.5.0", "throat": "^6.0.1" }, "devDependencies": { diff --git a/packages/jest-leak-detector/package.json b/packages/jest-leak-detector/package.json index a36e8ac94f87..bfdb4dc7e527 100644 --- a/packages/jest-leak-detector/package.json +++ b/packages/jest-leak-detector/package.json @@ -1,6 +1,6 @@ { "name": "jest-leak-detector", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,8 +17,8 @@ "./package.json": "./package.json" }, "dependencies": { - "jest-get-type": "^27.4.0", - "pretty-format": "^27.4.6" + "jest-get-type": "^27.5.0", + "pretty-format": "^27.5.0" }, "devDependencies": { "@types/weak-napi": "^2.0.0", diff --git a/packages/jest-matcher-utils/package.json b/packages/jest-matcher-utils/package.json index 8a37924f02de..ec386b3c944a 100644 --- a/packages/jest-matcher-utils/package.json +++ b/packages/jest-matcher-utils/package.json @@ -1,7 +1,7 @@ { "name": "jest-matcher-utils", "description": "A set of utility functions for expect and related packages", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -22,12 +22,12 @@ }, "dependencies": { "chalk": "^4.0.0", - "jest-diff": "^27.4.6", - "jest-get-type": "^27.4.0", - "pretty-format": "^27.4.6" + "jest-diff": "^27.5.0", + "jest-get-type": "^27.5.0", + "pretty-format": "^27.5.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/node": "*" }, "publishConfig": { diff --git a/packages/jest-message-util/package.json b/packages/jest-message-util/package.json index ebafeae873b2..07bfa6fde887 100644 --- a/packages/jest-message-util/package.json +++ b/packages/jest-message-util/package.json @@ -1,6 +1,6 @@ { "name": "jest-message-util", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -21,12 +21,12 @@ }, "dependencies": { "@babel/code-frame": "^7.12.13", - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/stack-utils": "^2.0.0", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", "micromatch": "^4.0.4", - "pretty-format": "^27.4.6", + "pretty-format": "^27.5.0", "slash": "^3.0.0", "stack-utils": "^2.0.3" }, diff --git a/packages/jest-mock/package.json b/packages/jest-mock/package.json index 7e441f5522ff..d7538090e63a 100644 --- a/packages/jest-mock/package.json +++ b/packages/jest-mock/package.json @@ -1,6 +1,6 @@ { "name": "jest-mock", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -10,7 +10,7 @@ "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/node": "*" }, "license": "MIT", diff --git a/packages/jest-phabricator/package.json b/packages/jest-phabricator/package.json index b30642fab039..c799520e6681 100644 --- a/packages/jest-phabricator/package.json +++ b/packages/jest-phabricator/package.json @@ -1,6 +1,6 @@ { "name": "jest-phabricator", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -15,7 +15,7 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/test-result": "^27.4.6" + "@jest/test-result": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-regex-util/package.json b/packages/jest-regex-util/package.json index 135003bc79fa..a4910a25831f 100644 --- a/packages/jest-regex-util/package.json +++ b/packages/jest-regex-util/package.json @@ -1,6 +1,6 @@ { "name": "jest-regex-util", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-repl/package.json b/packages/jest-repl/package.json index 0ef28473d388..3d09b2b15b1f 100644 --- a/packages/jest-repl/package.json +++ b/packages/jest-repl/package.json @@ -1,6 +1,6 @@ { "name": "jest-repl", - "version": "27.4.7", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -19,15 +19,15 @@ "./bin/jest-runtime-cli": "./bin/jest-runtime-cli.js" }, "dependencies": { - "@jest/console": "^27.4.6", - "@jest/environment": "^27.4.6", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/console": "^27.5.0", + "@jest/environment": "^27.5.0", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "chalk": "^4.0.0", - "jest-config": "^27.4.7", - "jest-runtime": "^27.4.6", - "jest-util": "^27.4.2", - "jest-validate": "^27.4.6", + "jest-config": "^27.5.0", + "jest-runtime": "^27.5.0", + "jest-util": "^27.5.0", + "jest-validate": "^27.5.0", "repl": "^0.1.3", "yargs": "^16.2.0" }, diff --git a/packages/jest-reporters/package.json b/packages/jest-reporters/package.json index c8ff589744b2..99b23419feed 100644 --- a/packages/jest-reporters/package.json +++ b/packages/jest-reporters/package.json @@ -1,7 +1,7 @@ { "name": "@jest/reporters", "description": "Jest's reporters", - "version": "27.4.6", + "version": "27.5.0", "main": "./build/index.js", "types": "./build/index.d.ts", "exports": { @@ -13,10 +13,10 @@ }, "dependencies": { "@bcoe/v8-coverage": "^0.2.3", - "@jest/console": "^27.4.6", - "@jest/test-result": "^27.4.6", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/console": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", "collect-v8-coverage": "^1.0.0", @@ -28,10 +28,10 @@ "istanbul-lib-report": "^3.0.0", "istanbul-lib-source-maps": "^4.0.0", "istanbul-reports": "^3.1.3", - "jest-haste-map": "^27.4.6", - "jest-resolve": "^27.4.6", - "jest-util": "^27.4.2", - "jest-worker": "^27.4.6", + "jest-haste-map": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-util": "^27.5.0", + "jest-worker": "^27.5.0", "slash": "^3.0.0", "source-map": "^0.6.0", "string-length": "^4.0.1", @@ -39,7 +39,7 @@ "v8-to-istanbul": "^8.1.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/exit": "^0.1.30", "@types/glob": "^7.1.1", "@types/graceful-fs": "^4.1.3", diff --git a/packages/jest-resolve-dependencies/package.json b/packages/jest-resolve-dependencies/package.json index 42ee2343783a..0c00144daf79 100644 --- a/packages/jest-resolve-dependencies/package.json +++ b/packages/jest-resolve-dependencies/package.json @@ -1,6 +1,6 @@ { "name": "jest-resolve-dependencies", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,15 +17,15 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", - "jest-regex-util": "^27.4.0", - "jest-snapshot": "^27.4.6" + "@jest/types": "^27.5.0", + "jest-regex-util": "^27.5.0", + "jest-snapshot": "^27.5.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", - "jest-haste-map": "^27.4.6", - "jest-resolve": "^27.4.6", - "jest-runtime": "^27.4.6" + "@jest/test-utils": "^27.5.0", + "jest-haste-map": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-runtime": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-resolve/package.json b/packages/jest-resolve/package.json index ac31a3289c68..935304894f32 100644 --- a/packages/jest-resolve/package.json +++ b/packages/jest-resolve/package.json @@ -1,6 +1,6 @@ { "name": "jest-resolve", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,13 +17,13 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "chalk": "^4.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^27.4.6", + "jest-haste-map": "^27.5.0", "jest-pnp-resolver": "^1.2.2", - "jest-util": "^27.4.2", - "jest-validate": "^27.4.6", + "jest-util": "^27.5.0", + "jest-validate": "^27.5.0", "resolve": "^1.20.0", "resolve.exports": "^1.1.0", "slash": "^3.0.0" diff --git a/packages/jest-runner/package.json b/packages/jest-runner/package.json index 755d6d8005f3..60bcb6bd7ba8 100644 --- a/packages/jest-runner/package.json +++ b/packages/jest-runner/package.json @@ -1,6 +1,6 @@ { "name": "jest-runner", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,25 +17,25 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/console": "^27.4.6", - "@jest/environment": "^27.4.6", - "@jest/test-result": "^27.4.6", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/console": "^27.5.0", + "@jest/environment": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", "emittery": "^0.8.1", "graceful-fs": "^4.2.9", - "jest-docblock": "^27.4.0", - "jest-environment-jsdom": "^27.4.6", - "jest-environment-node": "^27.4.6", - "jest-haste-map": "^27.4.6", - "jest-leak-detector": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-resolve": "^27.4.6", - "jest-runtime": "^27.4.6", - "jest-util": "^27.4.2", - "jest-worker": "^27.4.6", + "jest-docblock": "^27.5.0", + "jest-environment-jsdom": "^27.5.0", + "jest-environment-node": "^27.5.0", + "jest-haste-map": "^27.5.0", + "jest-leak-detector": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-runtime": "^27.5.0", + "jest-util": "^27.5.0", + "jest-worker": "^27.5.0", "source-map-support": "^0.5.6", "throat": "^6.0.1" }, @@ -43,7 +43,7 @@ "@types/exit": "^0.1.30", "@types/graceful-fs": "^4.1.2", "@types/source-map-support": "^0.5.0", - "jest-jasmine2": "^27.4.6" + "jest-jasmine2": "^27.5.0" }, "engines": { "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" diff --git a/packages/jest-runtime/package.json b/packages/jest-runtime/package.json index d74d4a0f6ae9..c150c763a245 100644 --- a/packages/jest-runtime/package.json +++ b/packages/jest-runtime/package.json @@ -1,6 +1,6 @@ { "name": "jest-runtime", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,35 +17,35 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/environment": "^27.4.6", - "@jest/fake-timers": "^27.4.6", - "@jest/globals": "^27.4.6", - "@jest/source-map": "^27.4.0", - "@jest/test-result": "^27.4.6", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/environment": "^27.5.0", + "@jest/fake-timers": "^27.5.0", + "@jest/globals": "^27.5.0", + "@jest/source-map": "^27.5.0", + "@jest/test-result": "^27.5.0", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "chalk": "^4.0.0", "cjs-module-lexer": "^1.0.0", "collect-v8-coverage": "^1.0.0", "execa": "^5.0.0", "glob": "^7.1.3", "graceful-fs": "^4.2.9", - "jest-haste-map": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-mock": "^27.4.6", - "jest-regex-util": "^27.4.0", - "jest-resolve": "^27.4.6", - "jest-snapshot": "^27.4.6", - "jest-util": "^27.4.2", + "jest-haste-map": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-mock": "^27.5.0", + "jest-regex-util": "^27.5.0", + "jest-resolve": "^27.5.0", + "jest-snapshot": "^27.5.0", + "jest-util": "^27.5.0", "slash": "^3.0.0", "strip-bom": "^4.0.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/glob": "^7.1.1", "@types/graceful-fs": "^4.1.2", "@types/node": "^14.0.27", - "jest-environment-node": "^27.4.6", + "jest-environment-node": "^27.5.0", "jest-snapshot-serializer-raw": "^1.1.0" }, "engines": { diff --git a/packages/jest-serializer/package.json b/packages/jest-serializer/package.json index 180866816f53..a2c41a6e2d56 100644 --- a/packages/jest-serializer/package.json +++ b/packages/jest-serializer/package.json @@ -1,6 +1,6 @@ { "name": "jest-serializer", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-snapshot/package.json b/packages/jest-snapshot/package.json index c24c02a5cf97..48904c50d6fd 100644 --- a/packages/jest-snapshot/package.json +++ b/packages/jest-snapshot/package.json @@ -1,6 +1,6 @@ { "name": "jest-snapshot", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -22,28 +22,28 @@ "@babel/plugin-syntax-typescript": "^7.7.2", "@babel/traverse": "^7.7.2", "@babel/types": "^7.0.0", - "@jest/transform": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/transform": "^27.5.0", + "@jest/types": "^27.5.0", "@types/babel__traverse": "^7.0.4", "@types/prettier": "^2.1.5", "babel-preset-current-node-syntax": "^1.0.0", "chalk": "^4.0.0", - "expect": "^27.4.6", + "expect": "^27.5.0", "graceful-fs": "^4.2.9", - "jest-diff": "^27.4.6", - "jest-get-type": "^27.4.0", - "jest-haste-map": "^27.4.6", - "jest-matcher-utils": "^27.4.6", - "jest-message-util": "^27.4.6", - "jest-util": "^27.4.2", + "jest-diff": "^27.5.0", + "jest-get-type": "^27.5.0", + "jest-haste-map": "^27.5.0", + "jest-matcher-utils": "^27.5.0", + "jest-message-util": "^27.5.0", + "jest-util": "^27.5.0", "natural-compare": "^1.4.0", - "pretty-format": "^27.4.6", + "pretty-format": "^27.5.0", "semver": "^7.3.2" }, "devDependencies": { "@babel/preset-flow": "^7.7.2", "@babel/preset-react": "^7.7.2", - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/graceful-fs": "^4.1.3", "@types/natural-compare": "^1.4.0", "@types/semver": "^7.1.0", diff --git a/packages/jest-source-map/package.json b/packages/jest-source-map/package.json index c695b70727ae..d71762fe2fa4 100644 --- a/packages/jest-source-map/package.json +++ b/packages/jest-source-map/package.json @@ -1,6 +1,6 @@ { "name": "@jest/source-map", - "version": "27.4.0", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-test-result/package.json b/packages/jest-test-result/package.json index 5082e6dcdf58..81f3e19b4b9f 100644 --- a/packages/jest-test-result/package.json +++ b/packages/jest-test-result/package.json @@ -1,6 +1,6 @@ { "name": "@jest/test-result", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,8 +17,8 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/console": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/console": "^27.5.0", + "@jest/types": "^27.5.0", "@types/istanbul-lib-coverage": "^2.0.0", "collect-v8-coverage": "^1.0.0" }, diff --git a/packages/jest-test-sequencer/package.json b/packages/jest-test-sequencer/package.json index 51b619c5b08e..217c2b78f887 100644 --- a/packages/jest-test-sequencer/package.json +++ b/packages/jest-test-sequencer/package.json @@ -1,6 +1,6 @@ { "name": "@jest/test-sequencer", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,10 +17,10 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/test-result": "^27.4.6", + "@jest/test-result": "^27.5.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^27.4.6", - "jest-runtime": "^27.4.6" + "jest-haste-map": "^27.5.0", + "jest-runtime": "^27.5.0" }, "devDependencies": { "@types/graceful-fs": "^4.1.3" diff --git a/packages/jest-transform/package.json b/packages/jest-transform/package.json index f8fd12ce9721..a989b5781499 100644 --- a/packages/jest-transform/package.json +++ b/packages/jest-transform/package.json @@ -1,6 +1,6 @@ { "name": "@jest/transform", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -18,15 +18,15 @@ }, "dependencies": { "@babel/core": "^7.1.0", - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "babel-plugin-istanbul": "^6.1.1", "chalk": "^4.0.0", "convert-source-map": "^1.4.0", "fast-json-stable-stringify": "^2.0.0", "graceful-fs": "^4.2.9", - "jest-haste-map": "^27.4.6", - "jest-regex-util": "^27.4.0", - "jest-util": "^27.4.2", + "jest-haste-map": "^27.5.0", + "jest-regex-util": "^27.5.0", + "jest-util": "^27.5.0", "micromatch": "^4.0.4", "pirates": "^4.0.4", "slash": "^3.0.0", @@ -34,7 +34,7 @@ "write-file-atomic": "^3.0.0" }, "devDependencies": { - "@jest/test-utils": "^27.4.6", + "@jest/test-utils": "^27.5.0", "@types/babel__core": "^7.1.0", "@types/convert-source-map": "^1.5.1", "@types/fast-json-stable-stringify": "^2.0.0", diff --git a/packages/jest-types/package.json b/packages/jest-types/package.json index 27f81bf4628d..a0504309251a 100644 --- a/packages/jest-types/package.json +++ b/packages/jest-types/package.json @@ -1,6 +1,6 @@ { "name": "@jest/types", - "version": "27.4.2", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", diff --git a/packages/jest-util/package.json b/packages/jest-util/package.json index 27dbc74af579..2a72364f3328 100644 --- a/packages/jest-util/package.json +++ b/packages/jest-util/package.json @@ -1,6 +1,6 @@ { "name": "jest-util", - "version": "27.4.2", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,7 +17,7 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/node": "*", "chalk": "^4.0.0", "ci-info": "^3.2.0", diff --git a/packages/jest-validate/package.json b/packages/jest-validate/package.json index 2cc00d8eb8b6..a6ff3229510b 100644 --- a/packages/jest-validate/package.json +++ b/packages/jest-validate/package.json @@ -1,6 +1,6 @@ { "name": "jest-validate", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -17,12 +17,12 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "camelcase": "^6.2.0", "chalk": "^4.0.0", - "jest-get-type": "^27.4.0", + "jest-get-type": "^27.5.0", "leven": "^3.1.0", - "pretty-format": "^27.4.6" + "pretty-format": "^27.5.0" }, "devDependencies": { "@types/yargs": "^16.0.0" diff --git a/packages/jest-watcher/package.json b/packages/jest-watcher/package.json index 38ec95b49278..df6db812b9ac 100644 --- a/packages/jest-watcher/package.json +++ b/packages/jest-watcher/package.json @@ -1,7 +1,7 @@ { "name": "jest-watcher", "description": "Delightful JavaScript Testing.", - "version": "27.4.6", + "version": "27.5.0", "main": "./build/index.js", "types": "./build/index.d.ts", "exports": { @@ -12,12 +12,12 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/test-result": "^27.4.6", - "@jest/types": "^27.4.2", + "@jest/test-result": "^27.5.0", + "@jest/types": "^27.5.0", "@types/node": "*", "ansi-escapes": "^4.2.1", "chalk": "^4.0.0", - "jest-util": "^27.4.2", + "jest-util": "^27.5.0", "string-length": "^4.0.1" }, "repository": { diff --git a/packages/jest-worker/package.json b/packages/jest-worker/package.json index 1494ac072b98..7cf49705a38f 100644 --- a/packages/jest-worker/package.json +++ b/packages/jest-worker/package.json @@ -1,6 +1,6 @@ { "name": "jest-worker", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -25,7 +25,7 @@ "@types/merge-stream": "^1.1.2", "@types/supports-color": "^8.1.0", "get-stream": "^6.0.0", - "jest-leak-detector": "^27.4.6", + "jest-leak-detector": "^27.5.0", "worker-farm": "^1.6.0" }, "engines": { diff --git a/packages/jest/package.json b/packages/jest/package.json index 4f6c5d071ea5..9e4c48c3d09a 100644 --- a/packages/jest/package.json +++ b/packages/jest/package.json @@ -1,7 +1,7 @@ { "name": "jest", "description": "Delightful JavaScript Testing.", - "version": "27.4.7", + "version": "27.5.0", "main": "./build/jest.js", "types": "./build/jest.d.ts", "exports": { @@ -13,9 +13,9 @@ "./bin/jest": "./bin/jest.js" }, "dependencies": { - "@jest/core": "^27.4.7", + "@jest/core": "^27.5.0", "import-local": "^3.0.2", - "jest-cli": "^27.4.7" + "jest-cli": "^27.5.0" }, "peerDependencies": { "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" diff --git a/packages/pretty-format/package.json b/packages/pretty-format/package.json index 0310e598a68e..3a5638554d6b 100644 --- a/packages/pretty-format/package.json +++ b/packages/pretty-format/package.json @@ -1,6 +1,6 @@ { "name": "pretty-format", - "version": "27.4.6", + "version": "27.5.0", "repository": { "type": "git", "url": "https://github.com/facebook/jest.git", @@ -28,7 +28,7 @@ "@types/react-is": "^17.0.0", "@types/react-test-renderer": "*", "immutable": "^4.0.0", - "jest-util": "^27.4.2", + "jest-util": "^27.5.0", "react": "*", "react-dom": "*", "react-test-renderer": "*" diff --git a/packages/test-utils/package.json b/packages/test-utils/package.json index efd8e43371a9..8cb7cda81cd7 100644 --- a/packages/test-utils/package.json +++ b/packages/test-utils/package.json @@ -1,6 +1,6 @@ { "name": "@jest/test-utils", - "version": "27.4.6", + "version": "27.5.0", "private": true, "license": "MIT", "main": "./build/index.js", @@ -13,11 +13,11 @@ "./package.json": "./package.json" }, "dependencies": { - "@jest/types": "^27.4.2", + "@jest/types": "^27.5.0", "@types/node": "*", "ansi-regex": "^5.0.1", "ansi-styles": "^5.0.0", - "pretty-format": "^27.4.6", + "pretty-format": "^27.5.0", "semver": "^7.3.2" }, "devDependencies": { From a8b9444b9449b67328776d3db16d0618f7d284ab Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 11:00:12 +0100 Subject: [PATCH 30/99] chore: update lockfile after release --- yarn.lock | 526 +++++++++++++++++++++++++++--------------------------- 1 file changed, 263 insertions(+), 263 deletions(-) diff --git a/yarn.lock b/yarn.lock index b5197b0744dc..27f2a29121fc 100644 --- a/yarn.lock +++ b/yarn.lock @@ -2470,31 +2470,31 @@ __metadata: languageName: node linkType: hard -"@jest/console@^27.4.6, @jest/console@workspace:packages/jest-console": +"@jest/console@^27.5.0, @jest/console@workspace:packages/jest-console": version: 0.0.0-use.local resolution: "@jest/console@workspace:packages/jest-console" dependencies: - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@types/node": "*" chalk: ^4.0.0 - jest-message-util: ^27.4.6 - jest-util: ^27.4.2 + jest-message-util: ^27.5.0 + jest-util: ^27.5.0 slash: ^3.0.0 languageName: unknown linkType: soft -"@jest/core@^27.4.7, @jest/core@workspace:packages/jest-core": +"@jest/core@^27.5.0, @jest/core@workspace:packages/jest-core": version: 0.0.0-use.local resolution: "@jest/core@workspace:packages/jest-core" dependencies: - "@jest/console": ^27.4.6 - "@jest/reporters": ^27.4.6 - "@jest/test-result": ^27.4.6 - "@jest/test-sequencer": ^27.4.6 - "@jest/test-utils": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/console": ^27.5.0 + "@jest/reporters": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/test-sequencer": ^27.5.0 + "@jest/test-utils": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/exit": ^0.1.30 "@types/graceful-fs": ^4.1.2 "@types/micromatch": ^4.0.1 @@ -2505,20 +2505,20 @@ __metadata: emittery: ^0.8.1 exit: ^0.1.2 graceful-fs: ^4.2.9 - jest-changed-files: ^27.4.2 - jest-config: ^27.4.7 - jest-haste-map: ^27.4.6 - jest-message-util: ^27.4.6 - jest-regex-util: ^27.4.0 - jest-resolve: ^27.4.6 - jest-resolve-dependencies: ^27.4.6 - jest-runner: ^27.4.6 - jest-runtime: ^27.4.6 - jest-snapshot: ^27.4.6 + jest-changed-files: ^27.5.0 + jest-config: ^27.5.0 + jest-haste-map: ^27.5.0 + jest-message-util: ^27.5.0 + jest-regex-util: ^27.5.0 + jest-resolve: ^27.5.0 + jest-resolve-dependencies: ^27.5.0 + jest-runner: ^27.5.0 + jest-runtime: ^27.5.0 + jest-snapshot: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 - jest-validate: ^27.4.6 - jest-watcher: ^27.4.6 + jest-util: ^27.5.0 + jest-validate: ^27.5.0 + jest-watcher: ^27.5.0 micromatch: ^4.0.4 rimraf: ^3.0.0 slash: ^3.0.0 @@ -2535,45 +2535,45 @@ __metadata: version: 0.0.0-use.local resolution: "@jest/create-cache-key-function@workspace:packages/jest-create-cache-key-function" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/node": "*" - jest-util: ^27.4.2 + jest-util: ^27.5.0 languageName: unknown linkType: soft -"@jest/environment@^27.4.6, @jest/environment@workspace:packages/jest-environment": +"@jest/environment@^27.5.0, @jest/environment@workspace:packages/jest-environment": version: 0.0.0-use.local resolution: "@jest/environment@workspace:packages/jest-environment" dependencies: - "@jest/fake-timers": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/fake-timers": ^27.5.0 + "@jest/types": ^27.5.0 "@types/node": "*" - jest-mock: ^27.4.6 + jest-mock: ^27.5.0 languageName: unknown linkType: soft -"@jest/fake-timers@^27.4.6, @jest/fake-timers@workspace:packages/jest-fake-timers": +"@jest/fake-timers@^27.5.0, @jest/fake-timers@workspace:packages/jest-fake-timers": version: 0.0.0-use.local resolution: "@jest/fake-timers@workspace:packages/jest-fake-timers" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@sinonjs/fake-timers": ^8.0.1 "@types/node": "*" "@types/sinonjs__fake-timers": ^6.0.1 - jest-message-util: ^27.4.6 - jest-mock: ^27.4.6 + jest-message-util: ^27.5.0 + jest-mock: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 + jest-util: ^27.5.0 languageName: unknown linkType: soft -"@jest/globals@^27.4.6, @jest/globals@workspace:*, @jest/globals@workspace:packages/jest-globals": +"@jest/globals@^27.5.0, @jest/globals@workspace:*, @jest/globals@workspace:packages/jest-globals": version: 0.0.0-use.local resolution: "@jest/globals@workspace:packages/jest-globals" dependencies: - "@jest/environment": ^27.4.6 - "@jest/types": ^27.4.2 - expect: ^27.4.6 + "@jest/environment": ^27.5.0 + "@jest/types": ^27.5.0 + expect: ^27.5.0 languageName: unknown linkType: soft @@ -2665,16 +2665,16 @@ __metadata: languageName: unknown linkType: soft -"@jest/reporters@^27.4.6, @jest/reporters@workspace:packages/jest-reporters": +"@jest/reporters@^27.5.0, @jest/reporters@workspace:packages/jest-reporters": version: 0.0.0-use.local resolution: "@jest/reporters@workspace:packages/jest-reporters" dependencies: "@bcoe/v8-coverage": ^0.2.3 - "@jest/console": ^27.4.6 - "@jest/test-result": ^27.4.6 - "@jest/test-utils": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/console": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/test-utils": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/exit": ^0.1.30 "@types/glob": ^7.1.1 "@types/graceful-fs": ^4.1.3 @@ -2695,10 +2695,10 @@ __metadata: istanbul-lib-report: ^3.0.0 istanbul-lib-source-maps: ^4.0.0 istanbul-reports: ^3.1.3 - jest-haste-map: ^27.4.6 - jest-resolve: ^27.4.6 - jest-util: ^27.4.2 - jest-worker: ^27.4.6 + jest-haste-map: ^27.5.0 + jest-resolve: ^27.5.0 + jest-util: ^27.5.0 + jest-worker: ^27.5.0 mock-fs: ^4.4.1 slash: ^3.0.0 source-map: ^0.6.0 @@ -2714,7 +2714,7 @@ __metadata: languageName: unknown linkType: soft -"@jest/source-map@^27.4.0, @jest/source-map@workspace:packages/jest-source-map": +"@jest/source-map@^27.5.0, @jest/source-map@workspace:packages/jest-source-map": version: 0.0.0-use.local resolution: "@jest/source-map@workspace:packages/jest-source-map" dependencies: @@ -2725,50 +2725,50 @@ __metadata: languageName: unknown linkType: soft -"@jest/test-result@^27.4.6, @jest/test-result@workspace:packages/jest-test-result": +"@jest/test-result@^27.5.0, @jest/test-result@workspace:packages/jest-test-result": version: 0.0.0-use.local resolution: "@jest/test-result@workspace:packages/jest-test-result" dependencies: - "@jest/console": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/console": ^27.5.0 + "@jest/types": ^27.5.0 "@types/istanbul-lib-coverage": ^2.0.0 collect-v8-coverage: ^1.0.0 languageName: unknown linkType: soft -"@jest/test-sequencer@^27.4.6, @jest/test-sequencer@workspace:packages/jest-test-sequencer": +"@jest/test-sequencer@^27.5.0, @jest/test-sequencer@workspace:packages/jest-test-sequencer": version: 0.0.0-use.local resolution: "@jest/test-sequencer@workspace:packages/jest-test-sequencer" dependencies: - "@jest/test-result": ^27.4.6 + "@jest/test-result": ^27.5.0 "@types/graceful-fs": ^4.1.3 graceful-fs: ^4.2.9 - jest-haste-map: ^27.4.6 - jest-runtime: ^27.4.6 + jest-haste-map: ^27.5.0 + jest-runtime: ^27.5.0 languageName: unknown linkType: soft -"@jest/test-utils@^27.4.6, @jest/test-utils@workspace:*, @jest/test-utils@workspace:packages/test-utils": +"@jest/test-utils@^27.5.0, @jest/test-utils@workspace:*, @jest/test-utils@workspace:packages/test-utils": version: 0.0.0-use.local resolution: "@jest/test-utils@workspace:packages/test-utils" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/node": "*" "@types/semver": ^7.1.0 ansi-regex: ^5.0.1 ansi-styles: ^5.0.0 - pretty-format: ^27.4.6 + pretty-format: ^27.5.0 semver: ^7.3.2 languageName: unknown linkType: soft -"@jest/transform@^27.4.6, @jest/transform@workspace:packages/jest-transform": +"@jest/transform@^27.5.0, @jest/transform@workspace:packages/jest-transform": version: 0.0.0-use.local resolution: "@jest/transform@workspace:packages/jest-transform" dependencies: "@babel/core": ^7.1.0 - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@types/babel__core": ^7.1.0 "@types/convert-source-map": ^1.5.1 "@types/fast-json-stable-stringify": ^2.0.0 @@ -2781,10 +2781,10 @@ __metadata: dedent: ^0.7.0 fast-json-stable-stringify: ^2.0.0 graceful-fs: ^4.2.9 - jest-haste-map: ^27.4.6 - jest-regex-util: ^27.4.0 + jest-haste-map: ^27.5.0 + jest-regex-util: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 + jest-util: ^27.5.0 micromatch: ^4.0.4 pirates: ^4.0.4 slash: ^3.0.0 @@ -2793,7 +2793,7 @@ __metadata: languageName: unknown linkType: soft -"@jest/types@^27.4.2, @jest/types@workspace:packages/jest-types": +"@jest/types@^27.5.0, @jest/types@workspace:packages/jest-types": version: 0.0.0-use.local resolution: "@jest/types@workspace:packages/jest-types" dependencies: @@ -6312,13 +6312,13 @@ __metadata: resolution: "babel-jest@workspace:packages/babel-jest" dependencies: "@babel/core": ^7.8.0 - "@jest/test-utils": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/babel__core": ^7.1.14 "@types/graceful-fs": ^4.1.3 babel-plugin-istanbul: ^6.1.1 - babel-preset-jest: ^27.4.0 + babel-preset-jest: ^27.5.0 chalk: ^4.0.0 graceful-fs: ^4.2.9 slash: ^3.0.0 @@ -6394,7 +6394,7 @@ __metadata: languageName: node linkType: hard -"babel-plugin-jest-hoist@^27.4.0, babel-plugin-jest-hoist@workspace:packages/babel-plugin-jest-hoist": +"babel-plugin-jest-hoist@^27.5.0, babel-plugin-jest-hoist@workspace:packages/babel-plugin-jest-hoist": version: 0.0.0-use.local resolution: "babel-plugin-jest-hoist@workspace:packages/babel-plugin-jest-hoist" dependencies: @@ -6544,11 +6544,11 @@ __metadata: languageName: node linkType: hard -"babel-preset-jest@^27.4.0, babel-preset-jest@workspace:packages/babel-preset-jest": +"babel-preset-jest@^27.5.0, babel-preset-jest@workspace:packages/babel-preset-jest": version: 0.0.0-use.local resolution: "babel-preset-jest@workspace:packages/babel-preset-jest" dependencies: - babel-plugin-jest-hoist: ^27.4.0 + babel-plugin-jest-hoist: ^27.5.0 babel-preset-current-node-syntax: ^1.0.0 peerDependencies: "@babel/core": ^7.0.0 @@ -8659,7 +8659,7 @@ __metadata: languageName: node linkType: hard -"diff-sequences@^27.4.0, diff-sequences@workspace:packages/diff-sequences": +"diff-sequences@^27.5.0, diff-sequences@workspace:packages/diff-sequences": version: 0.0.0-use.local resolution: "diff-sequences@workspace:packages/diff-sequences" dependencies: @@ -9877,19 +9877,19 @@ __metadata: languageName: node linkType: hard -"expect@^27.4.6, expect@workspace:packages/expect": +"expect@^27.5.0, expect@workspace:packages/expect": version: 0.0.0-use.local resolution: "expect@workspace:packages/expect" dependencies: - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@tsd/typescript": ~4.1.5 chalk: ^4.0.0 fast-check: ^2.0.0 immutable: ^4.0.0 - jest-get-type: ^27.4.0 - jest-matcher-utils: ^27.4.6 - jest-message-util: ^27.4.6 + jest-get-type: ^27.5.0 + jest-matcher-utils: ^27.5.0 + jest-message-util: ^27.5.0 tsd-lite: ^0.5.1 languageName: unknown linkType: soft @@ -12522,25 +12522,25 @@ __metadata: languageName: node linkType: hard -"jest-changed-files@^27.4.2, jest-changed-files@workspace:*, jest-changed-files@workspace:packages/jest-changed-files": +"jest-changed-files@^27.5.0, jest-changed-files@workspace:*, jest-changed-files@workspace:packages/jest-changed-files": version: 0.0.0-use.local resolution: "jest-changed-files@workspace:packages/jest-changed-files" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 execa: ^5.0.0 throat: ^6.0.1 languageName: unknown linkType: soft -"jest-circus@^27.4.6, jest-circus@workspace:packages/jest-circus": +"jest-circus@^27.5.0, jest-circus@workspace:packages/jest-circus": version: 0.0.0-use.local resolution: "jest-circus@workspace:packages/jest-circus" dependencies: "@babel/core": ^7.1.0 "@babel/register": ^7.0.0 - "@jest/environment": ^27.4.6 - "@jest/test-result": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/environment": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/types": ^27.5.0 "@types/co": ^4.6.0 "@types/dedent": ^0.7.0 "@types/graceful-fs": ^4.1.3 @@ -12550,30 +12550,30 @@ __metadata: co: ^4.6.0 dedent: ^0.7.0 execa: ^5.0.0 - expect: ^27.4.6 + expect: ^27.5.0 graceful-fs: ^4.2.9 is-generator-fn: ^2.0.0 - jest-each: ^27.4.6 - jest-matcher-utils: ^27.4.6 - jest-message-util: ^27.4.6 - jest-runtime: ^27.4.6 - jest-snapshot: ^27.4.6 + jest-each: ^27.5.0 + jest-matcher-utils: ^27.5.0 + jest-message-util: ^27.5.0 + jest-runtime: ^27.5.0 + jest-snapshot: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 - pretty-format: ^27.4.6 + jest-util: ^27.5.0 + pretty-format: ^27.5.0 slash: ^3.0.0 stack-utils: ^2.0.3 throat: ^6.0.1 languageName: unknown linkType: soft -"jest-cli@^27.4.7, jest-cli@workspace:packages/jest-cli": +"jest-cli@^27.5.0, jest-cli@workspace:packages/jest-cli": version: 0.0.0-use.local resolution: "jest-cli@workspace:packages/jest-cli" dependencies: - "@jest/core": ^27.4.7 - "@jest/test-result": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/core": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/types": ^27.5.0 "@types/exit": ^0.1.30 "@types/graceful-fs": ^4.1.3 "@types/prompts": ^2.0.1 @@ -12582,9 +12582,9 @@ __metadata: exit: ^0.1.2 graceful-fs: ^4.2.9 import-local: ^3.0.2 - jest-config: ^27.4.7 - jest-util: ^27.4.2 - jest-validate: ^27.4.6 + jest-config: ^27.5.0 + jest-util: ^27.5.0 + jest-validate: ^27.5.0 prompts: ^2.0.1 yargs: ^16.2.0 peerDependencies: @@ -12597,35 +12597,35 @@ __metadata: languageName: unknown linkType: soft -"jest-config@^27.4.7, jest-config@workspace:packages/jest-config": +"jest-config@^27.5.0, jest-config@workspace:packages/jest-config": version: 0.0.0-use.local resolution: "jest-config@workspace:packages/jest-config" dependencies: "@babel/core": ^7.8.0 - "@jest/test-sequencer": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-sequencer": ^27.5.0 + "@jest/types": ^27.5.0 "@types/glob": ^7.1.1 "@types/graceful-fs": ^4.1.3 "@types/micromatch": ^4.0.1 - babel-jest: ^27.4.6 + babel-jest: ^27.5.0 chalk: ^4.0.0 ci-info: ^3.2.0 deepmerge: ^4.2.2 glob: ^7.1.1 graceful-fs: ^4.2.9 - jest-circus: ^27.4.6 - jest-environment-jsdom: ^27.4.6 - jest-environment-node: ^27.4.6 - jest-get-type: ^27.4.0 - jest-jasmine2: ^27.4.6 - jest-regex-util: ^27.4.0 - jest-resolve: ^27.4.6 - jest-runner: ^27.4.6 + jest-circus: ^27.5.0 + jest-environment-jsdom: ^27.5.0 + jest-environment-node: ^27.5.0 + jest-get-type: ^27.5.0 + jest-jasmine2: ^27.5.0 + jest-regex-util: ^27.5.0 + jest-resolve: ^27.5.0 + jest-runner: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 - jest-validate: ^27.4.6 + jest-util: ^27.5.0 + jest-validate: ^27.5.0 micromatch: ^4.0.4 - pretty-format: ^27.4.6 + pretty-format: ^27.5.0 semver: ^7.3.5 slash: ^3.0.0 strip-ansi: ^6.0.0 @@ -12639,15 +12639,15 @@ __metadata: languageName: unknown linkType: soft -"jest-diff@^27.4.6, jest-diff@workspace:packages/jest-diff": +"jest-diff@^27.5.0, jest-diff@workspace:packages/jest-diff": version: 0.0.0-use.local resolution: "jest-diff@workspace:packages/jest-diff" dependencies: - "@jest/test-utils": ^27.4.6 + "@jest/test-utils": ^27.5.0 chalk: ^4.0.0 - diff-sequences: ^27.4.0 - jest-get-type: ^27.4.0 - pretty-format: ^27.4.6 + diff-sequences: ^27.5.0 + jest-get-type: ^27.5.0 + pretty-format: ^27.5.0 strip-ansi: ^6.0.0 languageName: unknown linkType: soft @@ -12664,7 +12664,7 @@ __metadata: languageName: node linkType: hard -"jest-docblock@^27.4.0, jest-docblock@workspace:packages/jest-docblock": +"jest-docblock@^27.5.0, jest-docblock@workspace:packages/jest-docblock": version: 0.0.0-use.local resolution: "jest-docblock@workspace:packages/jest-docblock" dependencies: @@ -12673,30 +12673,30 @@ __metadata: languageName: unknown linkType: soft -"jest-each@^27.4.6, jest-each@workspace:packages/jest-each": +"jest-each@^27.5.0, jest-each@workspace:packages/jest-each": version: 0.0.0-use.local resolution: "jest-each@workspace:packages/jest-each" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 chalk: ^4.0.0 - jest-get-type: ^27.4.0 - jest-util: ^27.4.2 - pretty-format: ^27.4.6 + jest-get-type: ^27.5.0 + jest-util: ^27.5.0 + pretty-format: ^27.5.0 languageName: unknown linkType: soft -"jest-environment-jsdom@^27.4.6, jest-environment-jsdom@workspace:packages/jest-environment-jsdom": +"jest-environment-jsdom@^27.5.0, jest-environment-jsdom@workspace:packages/jest-environment-jsdom": version: 0.0.0-use.local resolution: "jest-environment-jsdom@workspace:packages/jest-environment-jsdom" dependencies: - "@jest/environment": ^27.4.6 - "@jest/fake-timers": ^27.4.6 - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/environment": ^27.5.0 + "@jest/fake-timers": ^27.5.0 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@types/jsdom": ^16.2.4 "@types/node": "*" - jest-mock: ^27.4.6 - jest-util: ^27.4.2 + jest-mock: ^27.5.0 + jest-util: ^27.5.0 jsdom: ^16.6.0 languageName: unknown linkType: soft @@ -12705,17 +12705,17 @@ __metadata: version: 0.0.0-use.local resolution: "jest-environment-node@workspace:packages/jest-environment-node" dependencies: - "@jest/environment": ^27.4.6 - "@jest/fake-timers": ^27.4.6 - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/environment": ^27.5.0 + "@jest/fake-timers": ^27.5.0 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@types/node": "*" - jest-mock: ^27.4.6 - jest-util: ^27.4.2 + jest-mock: ^27.5.0 + jest-util: ^27.5.0 languageName: unknown linkType: soft -"jest-get-type@^27.4.0, jest-get-type@workspace:packages/jest-get-type": +"jest-get-type@^27.5.0, jest-get-type@workspace:packages/jest-get-type": version: 0.0.0-use.local resolution: "jest-get-type@workspace:packages/jest-get-type" languageName: unknown @@ -12735,12 +12735,12 @@ __metadata: languageName: node linkType: hard -"jest-haste-map@^27.4.6, jest-haste-map@workspace:packages/jest-haste-map": +"jest-haste-map@^27.5.0, jest-haste-map@workspace:packages/jest-haste-map": version: 0.0.0-use.local resolution: "jest-haste-map@workspace:packages/jest-haste-map" dependencies: - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 "@types/fb-watchman": ^2.0.0 "@types/graceful-fs": ^4.1.2 "@types/micromatch": ^4.0.1 @@ -12749,11 +12749,11 @@ __metadata: fb-watchman: ^2.0.0 fsevents: ^2.3.2 graceful-fs: ^4.2.9 - jest-regex-util: ^27.4.0 - jest-serializer: ^27.4.0 + jest-regex-util: ^27.5.0 + jest-serializer: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 - jest-worker: ^27.4.6 + jest-util: ^27.5.0 + jest-worker: ^27.5.0 micromatch: ^4.0.4 slash: ^3.0.0 walker: ^1.0.7 @@ -12788,27 +12788,27 @@ __metadata: languageName: node linkType: hard -"jest-jasmine2@^27.4.6, jest-jasmine2@workspace:packages/jest-jasmine2": +"jest-jasmine2@^27.5.0, jest-jasmine2@workspace:packages/jest-jasmine2": version: 0.0.0-use.local resolution: "jest-jasmine2@workspace:packages/jest-jasmine2" dependencies: - "@jest/environment": ^27.4.6 - "@jest/source-map": ^27.4.0 - "@jest/test-result": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/environment": ^27.5.0 + "@jest/source-map": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/types": ^27.5.0 "@types/co": ^4.6.2 "@types/node": "*" chalk: ^4.0.0 co: ^4.6.0 - expect: ^27.4.6 + expect: ^27.5.0 is-generator-fn: ^2.0.0 - jest-each: ^27.4.6 - jest-matcher-utils: ^27.4.6 - jest-message-util: ^27.4.6 - jest-runtime: ^27.4.6 - jest-snapshot: ^27.4.6 - jest-util: ^27.4.2 - pretty-format: ^27.4.6 + jest-each: ^27.5.0 + jest-matcher-utils: ^27.5.0 + jest-message-util: ^27.5.0 + jest-runtime: ^27.5.0 + jest-snapshot: ^27.5.0 + jest-util: ^27.5.0 + pretty-format: ^27.5.0 throat: ^6.0.1 languageName: unknown linkType: soft @@ -12825,36 +12825,36 @@ __metadata: languageName: node linkType: hard -"jest-leak-detector@^27.4.6, jest-leak-detector@workspace:packages/jest-leak-detector": +"jest-leak-detector@^27.5.0, jest-leak-detector@workspace:packages/jest-leak-detector": version: 0.0.0-use.local resolution: "jest-leak-detector@workspace:packages/jest-leak-detector" dependencies: "@types/weak-napi": ^2.0.0 - jest-get-type: ^27.4.0 - pretty-format: ^27.4.6 + jest-get-type: ^27.5.0 + pretty-format: ^27.5.0 weak-napi: ^2.0.1 languageName: unknown linkType: soft -"jest-matcher-utils@^27.4.6, jest-matcher-utils@workspace:packages/jest-matcher-utils": +"jest-matcher-utils@^27.5.0, jest-matcher-utils@workspace:packages/jest-matcher-utils": version: 0.0.0-use.local resolution: "jest-matcher-utils@workspace:packages/jest-matcher-utils" dependencies: - "@jest/test-utils": ^27.4.6 + "@jest/test-utils": ^27.5.0 "@types/node": "*" chalk: ^4.0.0 - jest-diff: ^27.4.6 - jest-get-type: ^27.4.0 - pretty-format: ^27.4.6 + jest-diff: ^27.5.0 + jest-get-type: ^27.5.0 + pretty-format: ^27.5.0 languageName: unknown linkType: soft -"jest-message-util@^27.4.6, jest-message-util@workspace:packages/jest-message-util": +"jest-message-util@^27.5.0, jest-message-util@workspace:packages/jest-message-util": version: 0.0.0-use.local resolution: "jest-message-util@workspace:packages/jest-message-util" dependencies: "@babel/code-frame": ^7.12.13 - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/babel__code-frame": ^7.0.0 "@types/graceful-fs": ^4.1.3 "@types/micromatch": ^4.0.1 @@ -12862,17 +12862,17 @@ __metadata: chalk: ^4.0.0 graceful-fs: ^4.2.9 micromatch: ^4.0.4 - pretty-format: ^27.4.6 + pretty-format: ^27.5.0 slash: ^3.0.0 stack-utils: ^2.0.3 languageName: unknown linkType: soft -"jest-mock@^27.4.6, jest-mock@workspace:*, jest-mock@workspace:packages/jest-mock": +"jest-mock@^27.5.0, jest-mock@workspace:*, jest-mock@workspace:packages/jest-mock": version: 0.0.0-use.local resolution: "jest-mock@workspace:packages/jest-mock" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/node": "*" languageName: unknown linkType: soft @@ -12881,7 +12881,7 @@ __metadata: version: 0.0.0-use.local resolution: "jest-phabricator@workspace:packages/jest-phabricator" dependencies: - "@jest/test-result": ^27.4.6 + "@jest/test-result": ^27.5.0 languageName: unknown linkType: soft @@ -12897,7 +12897,7 @@ __metadata: languageName: node linkType: hard -"jest-regex-util@^27.0.0, jest-regex-util@^27.4.0, jest-regex-util@workspace:packages/jest-regex-util": +"jest-regex-util@^27.0.0, jest-regex-util@^27.5.0, jest-regex-util@workspace:packages/jest-regex-util": version: 0.0.0-use.local resolution: "jest-regex-util@workspace:packages/jest-regex-util" dependencies: @@ -12916,17 +12916,17 @@ __metadata: version: 0.0.0-use.local resolution: "jest-repl@workspace:packages/jest-repl" dependencies: - "@jest/console": ^27.4.6 - "@jest/environment": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/console": ^27.5.0 + "@jest/environment": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/yargs": ^16.0.0 chalk: ^4.0.0 execa: ^5.0.0 - jest-config: ^27.4.7 - jest-runtime: ^27.4.6 - jest-util: ^27.4.2 - jest-validate: ^27.4.6 + jest-config: ^27.5.0 + jest-runtime: ^27.5.0 + jest-util: ^27.5.0 + jest-validate: ^27.5.0 repl: ^0.1.3 yargs: ^16.2.0 bin: @@ -12935,33 +12935,33 @@ __metadata: languageName: unknown linkType: soft -"jest-resolve-dependencies@^27.4.6, jest-resolve-dependencies@workspace:packages/jest-resolve-dependencies": +"jest-resolve-dependencies@^27.5.0, jest-resolve-dependencies@workspace:packages/jest-resolve-dependencies": version: 0.0.0-use.local resolution: "jest-resolve-dependencies@workspace:packages/jest-resolve-dependencies" dependencies: - "@jest/test-utils": ^27.4.6 - "@jest/types": ^27.4.2 - jest-haste-map: ^27.4.6 - jest-regex-util: ^27.4.0 - jest-resolve: ^27.4.6 - jest-runtime: ^27.4.6 - jest-snapshot: ^27.4.6 + "@jest/test-utils": ^27.5.0 + "@jest/types": ^27.5.0 + jest-haste-map: ^27.5.0 + jest-regex-util: ^27.5.0 + jest-resolve: ^27.5.0 + jest-runtime: ^27.5.0 + jest-snapshot: ^27.5.0 languageName: unknown linkType: soft -"jest-resolve@^27.4.6, jest-resolve@workspace:packages/jest-resolve": +"jest-resolve@^27.5.0, jest-resolve@workspace:packages/jest-resolve": version: 0.0.0-use.local resolution: "jest-resolve@workspace:packages/jest-resolve" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/graceful-fs": ^4.1.3 "@types/resolve": ^1.20.0 chalk: ^4.0.0 graceful-fs: ^4.2.9 - jest-haste-map: ^27.4.6 + jest-haste-map: ^27.5.0 jest-pnp-resolver: ^1.2.2 - jest-util: ^27.4.2 - jest-validate: ^27.4.6 + jest-util: ^27.5.0 + jest-validate: ^27.5.0 resolve: ^1.20.0 resolve.exports: ^1.1.0 slash: ^3.0.0 @@ -12982,15 +12982,15 @@ __metadata: languageName: node linkType: hard -"jest-runner@^27.4.6, jest-runner@workspace:packages/jest-runner": +"jest-runner@^27.5.0, jest-runner@workspace:packages/jest-runner": version: 0.0.0-use.local resolution: "jest-runner@workspace:packages/jest-runner" dependencies: - "@jest/console": ^27.4.6 - "@jest/environment": ^27.4.6 - "@jest/test-result": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/console": ^27.5.0 + "@jest/environment": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/exit": ^0.1.30 "@types/graceful-fs": ^4.1.2 "@types/node": "*" @@ -12998,34 +12998,34 @@ __metadata: chalk: ^4.0.0 emittery: ^0.8.1 graceful-fs: ^4.2.9 - jest-docblock: ^27.4.0 - jest-environment-jsdom: ^27.4.6 - jest-environment-node: ^27.4.6 - jest-haste-map: ^27.4.6 - jest-jasmine2: ^27.4.6 - jest-leak-detector: ^27.4.6 - jest-message-util: ^27.4.6 - jest-resolve: ^27.4.6 - jest-runtime: ^27.4.6 - jest-util: ^27.4.2 - jest-worker: ^27.4.6 + jest-docblock: ^27.5.0 + jest-environment-jsdom: ^27.5.0 + jest-environment-node: ^27.5.0 + jest-haste-map: ^27.5.0 + jest-jasmine2: ^27.5.0 + jest-leak-detector: ^27.5.0 + jest-message-util: ^27.5.0 + jest-resolve: ^27.5.0 + jest-runtime: ^27.5.0 + jest-util: ^27.5.0 + jest-worker: ^27.5.0 source-map-support: ^0.5.6 throat: ^6.0.1 languageName: unknown linkType: soft -"jest-runtime@^27.4.6, jest-runtime@workspace:packages/jest-runtime": +"jest-runtime@^27.5.0, jest-runtime@workspace:packages/jest-runtime": version: 0.0.0-use.local resolution: "jest-runtime@workspace:packages/jest-runtime" dependencies: - "@jest/environment": ^27.4.6 - "@jest/fake-timers": ^27.4.6 - "@jest/globals": ^27.4.6 - "@jest/source-map": ^27.4.0 - "@jest/test-result": ^27.4.6 - "@jest/test-utils": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/environment": ^27.5.0 + "@jest/fake-timers": ^27.5.0 + "@jest/globals": ^27.5.0 + "@jest/source-map": ^27.5.0 + "@jest/test-result": ^27.5.0 + "@jest/test-utils": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/glob": ^7.1.1 "@types/graceful-fs": ^4.1.2 "@types/node": ^14.0.27 @@ -13035,21 +13035,21 @@ __metadata: execa: ^5.0.0 glob: ^7.1.3 graceful-fs: ^4.2.9 - jest-environment-node: ^27.4.6 - jest-haste-map: ^27.4.6 - jest-message-util: ^27.4.6 - jest-mock: ^27.4.6 - jest-regex-util: ^27.4.0 - jest-resolve: ^27.4.6 - jest-snapshot: ^27.4.6 + jest-environment-node: ^27.5.0 + jest-haste-map: ^27.5.0 + jest-message-util: ^27.5.0 + jest-mock: ^27.5.0 + jest-regex-util: ^27.5.0 + jest-resolve: ^27.5.0 + jest-snapshot: ^27.5.0 jest-snapshot-serializer-raw: ^1.1.0 - jest-util: ^27.4.2 + jest-util: ^27.5.0 slash: ^3.0.0 strip-bom: ^4.0.0 languageName: unknown linkType: soft -"jest-serializer@^27.4.0, jest-serializer@workspace:packages/jest-serializer": +"jest-serializer@^27.5.0, jest-serializer@workspace:packages/jest-serializer": version: 0.0.0-use.local resolution: "jest-serializer@workspace:packages/jest-serializer" dependencies: @@ -13086,7 +13086,7 @@ __metadata: languageName: node linkType: hard -"jest-snapshot@^27.4.6, jest-snapshot@workspace:*, jest-snapshot@workspace:packages/jest-snapshot": +"jest-snapshot@^27.5.0, jest-snapshot@workspace:*, jest-snapshot@workspace:packages/jest-snapshot": version: 0.0.0-use.local resolution: "jest-snapshot@workspace:packages/jest-snapshot" dependencies: @@ -13097,9 +13097,9 @@ __metadata: "@babel/preset-react": ^7.7.2 "@babel/traverse": ^7.7.2 "@babel/types": ^7.0.0 - "@jest/test-utils": ^27.4.6 - "@jest/transform": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-utils": ^27.5.0 + "@jest/transform": ^27.5.0 + "@jest/types": ^27.5.0 "@types/babel__traverse": ^7.0.4 "@types/graceful-fs": ^4.1.3 "@types/natural-compare": ^1.4.0 @@ -13109,26 +13109,26 @@ __metadata: ansi-styles: ^5.0.0 babel-preset-current-node-syntax: ^1.0.0 chalk: ^4.0.0 - expect: ^27.4.6 + expect: ^27.5.0 graceful-fs: ^4.2.9 - jest-diff: ^27.4.6 - jest-get-type: ^27.4.0 - jest-haste-map: ^27.4.6 - jest-matcher-utils: ^27.4.6 - jest-message-util: ^27.4.6 - jest-util: ^27.4.2 + jest-diff: ^27.5.0 + jest-get-type: ^27.5.0 + jest-haste-map: ^27.5.0 + jest-matcher-utils: ^27.5.0 + jest-message-util: ^27.5.0 + jest-util: ^27.5.0 natural-compare: ^1.4.0 prettier: ^2.0.0 - pretty-format: ^27.4.6 + pretty-format: ^27.5.0 semver: ^7.3.2 languageName: unknown linkType: soft -"jest-util@^27.4.2, jest-util@workspace:packages/jest-util": +"jest-util@^27.5.0, jest-util@workspace:packages/jest-util": version: 0.0.0-use.local resolution: "jest-util@workspace:packages/jest-util" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/graceful-fs": ^4.1.2 "@types/micromatch": ^4.0.1 "@types/node": "*" @@ -13154,17 +13154,17 @@ __metadata: languageName: node linkType: hard -"jest-validate@^27.4.6, jest-validate@workspace:packages/jest-validate": +"jest-validate@^27.5.0, jest-validate@workspace:packages/jest-validate": version: 0.0.0-use.local resolution: "jest-validate@workspace:packages/jest-validate" dependencies: - "@jest/types": ^27.4.2 + "@jest/types": ^27.5.0 "@types/yargs": ^16.0.0 camelcase: ^6.2.0 chalk: ^4.0.0 - jest-get-type: ^27.4.0 + jest-get-type: ^27.5.0 leven: ^3.1.0 - pretty-format: ^27.4.6 + pretty-format: ^27.5.0 languageName: unknown linkType: soft @@ -13199,16 +13199,16 @@ __metadata: languageName: node linkType: hard -"jest-watcher@^27.0.0, jest-watcher@^27.4.6, jest-watcher@workspace:packages/jest-watcher": +"jest-watcher@^27.0.0, jest-watcher@^27.5.0, jest-watcher@workspace:packages/jest-watcher": version: 0.0.0-use.local resolution: "jest-watcher@workspace:packages/jest-watcher" dependencies: - "@jest/test-result": ^27.4.6 - "@jest/types": ^27.4.2 + "@jest/test-result": ^27.5.0 + "@jest/types": ^27.5.0 "@types/node": "*" ansi-escapes: ^4.2.1 chalk: ^4.0.0 - jest-util: ^27.4.2 + jest-util: ^27.5.0 string-length: ^4.0.1 languageName: unknown linkType: soft @@ -13236,7 +13236,7 @@ __metadata: languageName: unknown linkType: soft -"jest-worker@^27.0.2, jest-worker@^27.0.6, jest-worker@^27.4.1, jest-worker@^27.4.6, jest-worker@workspace:packages/jest-worker": +"jest-worker@^27.0.2, jest-worker@^27.0.6, jest-worker@^27.4.1, jest-worker@^27.5.0, jest-worker@workspace:packages/jest-worker": version: 0.0.0-use.local resolution: "jest-worker@workspace:packages/jest-worker" dependencies: @@ -13244,7 +13244,7 @@ __metadata: "@types/node": "*" "@types/supports-color": ^8.1.0 get-stream: ^6.0.0 - jest-leak-detector: ^27.4.6 + jest-leak-detector: ^27.5.0 merge-stream: ^2.0.0 supports-color: ^8.0.0 worker-farm: ^1.6.0 @@ -13275,9 +13275,9 @@ __metadata: version: 0.0.0-use.local resolution: "jest@workspace:packages/jest" dependencies: - "@jest/core": ^27.4.7 + "@jest/core": ^27.5.0 import-local: ^3.0.2 - jest-cli: ^27.4.7 + jest-cli: ^27.5.0 peerDependencies: node-notifier: ^8.0.1 || ^9.0.0 || ^10.0.0 peerDependenciesMeta: @@ -17174,7 +17174,7 @@ __metadata: languageName: node linkType: hard -"pretty-format@^27.4.6, pretty-format@workspace:packages/pretty-format": +"pretty-format@^27.5.0, pretty-format@workspace:packages/pretty-format": version: 0.0.0-use.local resolution: "pretty-format@workspace:packages/pretty-format" dependencies: @@ -17184,7 +17184,7 @@ __metadata: ansi-regex: ^5.0.1 ansi-styles: ^5.0.0 immutable: ^4.0.0 - jest-util: ^27.4.2 + jest-util: ^27.5.0 react: "*" react-dom: "*" react-is: ^17.0.1 From eaeb78d1056fe91f24e5ab83515549534aecd73a Mon Sep 17 00:00:00 2001 From: Simen Bekkhus Date: Sat, 5 Feb 2022 11:12:45 +0100 Subject: [PATCH 31/99] chore: roll new version of docs --- .../version-27.5/Architecture.md | 14 + .../version-27.5/BypassingModuleMocks.md | 58 + website/versioned_docs/version-27.5/CLI.md | 390 +++++ .../version-27.5/CodeTransformation.md | 158 ++ .../version-27.5/Configuration.md | 1463 +++++++++++++++++ .../versioned_docs/version-27.5/DynamoDB.md | 81 + .../version-27.5/ECMAScriptModules.md | 36 + .../version-27.5/EnvironmentVariables.md | 14 + .../version-27.5/Es6ClassMocks.md | 354 ++++ .../versioned_docs/version-27.5/ExpectAPI.md | 1419 ++++++++++++++++ .../version-27.5/GettingStarted.md | 178 ++ .../versioned_docs/version-27.5/GlobalAPI.md | 880 ++++++++++ .../version-27.5/JestCommunity.md | 21 + .../version-27.5/JestObjectAPI.md | 730 ++++++++ .../version-27.5/JestPlatform.md | 170 ++ .../version-27.5/ManualMocks.md | 164 ++ .../version-27.5/MigrationGuide.md | 22 + .../version-27.5/MockFunctionAPI.md | 458 ++++++ .../version-27.5/MockFunctions.md | 318 ++++ .../versioned_docs/version-27.5/MongoDB.md | 61 + .../version-27.5/MoreResources.md | 24 + .../versioned_docs/version-27.5/Puppeteer.md | 168 ++ .../version-27.5/SetupAndTeardown.md | 190 +++ .../version-27.5/SnapshotTesting.md | 314 ++++ .../version-27.5/TestingAsyncCode.md | 129 ++ .../version-27.5/TestingFrameworks.md | 45 + .../versioned_docs/version-27.5/TimerMocks.md | 182 ++ .../version-27.5/Troubleshooting.md | 206 +++ .../version-27.5/TutorialAsync.md | 161 ++ .../version-27.5/TutorialReact.md | 313 ++++ .../version-27.5/TutorialReactNative.md | 215 +++ .../version-27.5/TutorialjQuery.md | 66 + .../version-27.5/UsingMatchers.md | 164 ++ .../version-27.5/WatchPlugins.md | 229 +++ .../versioned_docs/version-27.5/Webpack.md | 221 +++ .../version-27.5-sidebars.json | 47 + website/versions.json | 1 + 37 files changed, 9664 insertions(+) create mode 100644 website/versioned_docs/version-27.5/Architecture.md create mode 100644 website/versioned_docs/version-27.5/BypassingModuleMocks.md create mode 100644 website/versioned_docs/version-27.5/CLI.md create mode 100644 website/versioned_docs/version-27.5/CodeTransformation.md create mode 100644 website/versioned_docs/version-27.5/Configuration.md create mode 100644 website/versioned_docs/version-27.5/DynamoDB.md create mode 100644 website/versioned_docs/version-27.5/ECMAScriptModules.md create mode 100644 website/versioned_docs/version-27.5/EnvironmentVariables.md create mode 100644 website/versioned_docs/version-27.5/Es6ClassMocks.md create mode 100644 website/versioned_docs/version-27.5/ExpectAPI.md create mode 100644 website/versioned_docs/version-27.5/GettingStarted.md create mode 100644 website/versioned_docs/version-27.5/GlobalAPI.md create mode 100644 website/versioned_docs/version-27.5/JestCommunity.md create mode 100644 website/versioned_docs/version-27.5/JestObjectAPI.md create mode 100644 website/versioned_docs/version-27.5/JestPlatform.md create mode 100644 website/versioned_docs/version-27.5/ManualMocks.md create mode 100644 website/versioned_docs/version-27.5/MigrationGuide.md create mode 100644 website/versioned_docs/version-27.5/MockFunctionAPI.md create mode 100644 website/versioned_docs/version-27.5/MockFunctions.md create mode 100644 website/versioned_docs/version-27.5/MongoDB.md create mode 100644 website/versioned_docs/version-27.5/MoreResources.md create mode 100644 website/versioned_docs/version-27.5/Puppeteer.md create mode 100644 website/versioned_docs/version-27.5/SetupAndTeardown.md create mode 100644 website/versioned_docs/version-27.5/SnapshotTesting.md create mode 100644 website/versioned_docs/version-27.5/TestingAsyncCode.md create mode 100644 website/versioned_docs/version-27.5/TestingFrameworks.md create mode 100644 website/versioned_docs/version-27.5/TimerMocks.md create mode 100644 website/versioned_docs/version-27.5/Troubleshooting.md create mode 100644 website/versioned_docs/version-27.5/TutorialAsync.md create mode 100644 website/versioned_docs/version-27.5/TutorialReact.md create mode 100644 website/versioned_docs/version-27.5/TutorialReactNative.md create mode 100644 website/versioned_docs/version-27.5/TutorialjQuery.md create mode 100644 website/versioned_docs/version-27.5/UsingMatchers.md create mode 100644 website/versioned_docs/version-27.5/WatchPlugins.md create mode 100644 website/versioned_docs/version-27.5/Webpack.md create mode 100644 website/versioned_sidebars/version-27.5-sidebars.json diff --git a/website/versioned_docs/version-27.5/Architecture.md b/website/versioned_docs/version-27.5/Architecture.md new file mode 100644 index 000000000000..86da7948415d --- /dev/null +++ b/website/versioned_docs/version-27.5/Architecture.md @@ -0,0 +1,14 @@ +--- +id: architecture +title: Architecture +--- + +If you are interested in learning more about how Jest works, understand its architecture, and how Jest is split up into individual reusable packages, check out this video: + + + +If you'd like to learn how to build a testing framework like Jest from scratch, check out this video: + + + +There is also a [written guide you can follow](https://cpojer.net/posts/building-a-javascript-testing-framework). It teaches the fundamental concepts of Jest and explains how various parts of Jest can be used to compose a custom testing framework. diff --git a/website/versioned_docs/version-27.5/BypassingModuleMocks.md b/website/versioned_docs/version-27.5/BypassingModuleMocks.md new file mode 100644 index 000000000000..96dfa7462016 --- /dev/null +++ b/website/versioned_docs/version-27.5/BypassingModuleMocks.md @@ -0,0 +1,58 @@ +--- +id: bypassing-module-mocks +title: Bypassing module mocks +--- + +Jest allows you to mock out whole modules in your tests, which can be useful for testing if your code is calling functions from that module correctly. However, sometimes you may want to use parts of a mocked module in your _test file_, in which case you want to access the original implementation, rather than a mocked version. + +Consider writing a test case for this `createUser` function: + +```javascript title="createUser.js" +import fetch from 'node-fetch'; + +export const createUser = async () => { + const response = await fetch('http://website.com/users', {method: 'POST'}); + const userId = await response.text(); + return userId; +}; +``` + +Your test will want to mock the `fetch` function so that we can be sure that it gets called without actually making the network request. However, you'll also need to mock the return value of `fetch` with a `Response` (wrapped in a `Promise`), as our function uses it to grab the created user's ID. So you might initially try writing a test like this: + +```javascript +jest.mock('node-fetch'); + +import fetch, {Response} from 'node-fetch'; +import {createUser} from './createUser'; + +test('createUser calls fetch with the right args and returns the user id', async () => { + fetch.mockReturnValue(Promise.resolve(new Response('4'))); + + const userId = await createUser(); + + expect(fetch).toHaveBeenCalledTimes(1); + expect(fetch).toHaveBeenCalledWith('http://website.com/users', { + method: 'POST', + }); + expect(userId).toBe('4'); +}); +``` + +However, if you ran that test you would find that the `createUser` function would fail, throwing the error: `TypeError: response.text is not a function`. This is because the `Response` class you've imported from `node-fetch` has been mocked (due to the `jest.mock` call at the top of the test file) so it no longer behaves the way it should. + +To get around problems like this, Jest provides the `jest.requireActual` helper. To make the above test work, make the following change to the imports in the test file: + +```javascript +// BEFORE +jest.mock('node-fetch'); +import fetch, {Response} from 'node-fetch'; +``` + +```javascript +// AFTER +jest.mock('node-fetch'); +import fetch from 'node-fetch'; +const {Response} = jest.requireActual('node-fetch'); +``` + +This allows your test file to import the actual `Response` object from `node-fetch`, rather than a mocked version. This means the test will now pass correctly. diff --git a/website/versioned_docs/version-27.5/CLI.md b/website/versioned_docs/version-27.5/CLI.md new file mode 100644 index 000000000000..4d9af6aceb25 --- /dev/null +++ b/website/versioned_docs/version-27.5/CLI.md @@ -0,0 +1,390 @@ +--- +id: cli +title: Jest CLI Options +--- + +The `jest` command line runner has a number of useful options. You can run `jest --help` to view all available options. Many of the options shown below can also be used together to run tests exactly the way you want. Every one of Jest's [Configuration](Configuration.md) options can also be specified through the CLI. + +Here is a brief overview: + +## Running from the command line + +Run all tests (default): + +```bash +jest +``` + +Run only the tests that were specified with a pattern or filename: + +```bash +jest my-test #or +jest path/to/my-test.js +``` + +Run tests related to changed files based on hg/git (uncommitted files): + +```bash +jest -o +``` + +Run tests related to `path/to/fileA.js` and `path/to/fileB.js`: + +```bash +jest --findRelatedTests path/to/fileA.js path/to/fileB.js +``` + +Run tests that match this spec name (match against the name in `describe` or `test`, basically). + +```bash +jest -t name-of-spec +``` + +Run watch mode: + +```bash +jest --watch #runs jest -o by default +jest --watchAll #runs all tests +``` + +Watch mode also enables to specify the name or path to a file to focus on a specific set of tests. + +## Using with yarn + +If you run Jest via `yarn test`, you can pass the command line arguments directly as Jest arguments. + +Instead of: + +```bash +jest -u -t="ColorPicker" +``` + +you can use: + +```bash +yarn test -u -t="ColorPicker" +``` + +## Using with npm scripts + +If you run Jest via `npm test`, you can still use the command line arguments by inserting a `--` between `npm test` and the Jest arguments. + +Instead of: + +```bash +jest -u -t="ColorPicker" +``` + +you can use: + +```bash +npm test -- -u -t="ColorPicker" +``` + +## Camelcase & dashed args support + +Jest supports both camelcase and dashed arg formats. The following examples will have an equal result: + +```bash +jest --collect-coverage +jest --collectCoverage +``` + +Arguments can also be mixed: + +```bash +jest --update-snapshot --detectOpenHandles +``` + +## Options + +_Note: CLI options take precedence over values from the [Configuration](Configuration.md)._ + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Reference + +### `jest ` + +When you run `jest` with an argument, that argument is treated as a regular expression to match against files in your project. It is possible to run test suites by providing a pattern. Only the files that the pattern matches will be picked up and executed. Depending on your terminal, you may need to quote this argument: `jest "my.*(complex)?pattern"`. On Windows, you will need to use `/` as a path separator or escape `\` as `\\`. + +### `--bail` + +Alias: `-b`. Exit the test suite immediately upon `n` number of failing test suite. Defaults to `1`. + +### `--cache` + +Whether to use the cache. Defaults to true. Disable the cache using `--no-cache`. _Note: the cache should only be disabled if you are experiencing caching related problems. On average, disabling the cache makes Jest at least two times slower._ + +If you want to inspect the cache, use `--showConfig` and look at the `cacheDirectory` value. If you need to clear the cache, use `--clearCache`. + +### `--changedFilesWithAncestor` + +Runs tests related to the current changes and the changes made in the last commit. Behaves similarly to `--onlyChanged`. + +### `--changedSince` + +Runs tests related to the changes since the provided branch or commit hash. If the current branch has diverged from the given branch, then only changes made locally will be tested. Behaves similarly to `--onlyChanged`. + +### `--ci` + +When this option is provided, Jest will assume it is running in a CI environment. This changes the behavior when a new snapshot is encountered. Instead of the regular behavior of storing a new snapshot automatically, it will fail the test and require Jest to be run with `--updateSnapshot`. + +### `--clearCache` + +Deletes the Jest cache directory and then exits without running tests. Will delete `cacheDirectory` if the option is passed, or Jest's default cache directory. The default cache directory can be found by calling `jest --showConfig`. _Note: clearing the cache will reduce performance._ + +### `--clearMocks` + +Automatically clear mock calls, instances and results before every test. Equivalent to calling [`jest.clearAllMocks()`](JestObjectAPI.md#jestclearallmocks) before each test. This does not remove any mock implementation that may have been provided. + +### `--collectCoverageFrom=` + +A glob pattern relative to `rootDir` matching the files that coverage info needs to be collected from. + +### `--colors` + +Forces test results output highlighting even if stdout is not a TTY. + +### `--config=` + +Alias: `-c`. The path to a Jest config file specifying how to find and execute tests. If no `rootDir` is set in the config, the directory containing the config file is assumed to be the `rootDir` for the project. This can also be a JSON-encoded value which Jest will use as configuration. + +### `--coverage[=]` + +Alias: `--collectCoverage`. Indicates that test coverage information should be collected and reported in the output. Optionally pass `` to override option set in configuration. + +### `--coverageProvider=` + +Indicates which provider should be used to instrument code for coverage. Allowed values are `babel` (default) or `v8`. + +Note that using `v8` is considered experimental. This uses V8's builtin code coverage rather than one based on Babel. It is not as well tested, and it has also improved in the last few releases of Node. Using the latest versions of node (v14 at the time of this writing) will yield better results. + +### `--debug` + +Print debugging info about your Jest config. + +### `--detectOpenHandles` + +Attempt to collect and print open handles preventing Jest from exiting cleanly. Use this in cases where you need to use `--forceExit` in order for Jest to exit to potentially track down the reason. This implies `--runInBand`, making tests run serially. Implemented using [`async_hooks`](https://nodejs.org/api/async_hooks.html). This option has a significant performance penalty and should only be used for debugging. + +### `--env=` + +The test environment used for all tests. This can point to any file or node module. Examples: `jsdom`, `node` or `path/to/my-environment.js`. + +### `--errorOnDeprecated` + +Make calling deprecated APIs throw helpful error messages. Useful for easing the upgrade process. + +### `--expand` + +Alias: `-e`. Use this flag to show full diffs and errors instead of a patch. + +### `--filter=` + +Path to a module exporting a filtering function. This method receives a list of tests which can be manipulated to exclude tests from running. Especially useful when used in conjunction with a testing infrastructure to filter known broken. + +### `--findRelatedTests ` + +Find and run the tests that cover a space separated list of source files that were passed in as arguments. Useful for pre-commit hook integration to run the minimal amount of tests necessary. Can be used together with `--coverage` to include a test coverage for the source files, no duplicate `--collectCoverageFrom` arguments needed. + +### `--forceExit` + +Force Jest to exit after all tests have completed running. This is useful when resources set up by test code cannot be adequately cleaned up. _Note: This feature is an escape-hatch. If Jest doesn't exit at the end of a test run, it means external resources are still being held on to or timers are still pending in your code. It is advised to tear down external resources after each test to make sure Jest can shut down cleanly. You can use `--detectOpenHandles` to help track it down._ + +### `--help` + +Show the help information, similar to this page. + +### `--init` + +Generate a basic configuration file. Based on your project, Jest will ask you a few questions that will help to generate a `jest.config.js` file with a short description for each option. + +### `--injectGlobals` + +Insert Jest's globals (`expect`, `test`, `describe`, `beforeEach` etc.) into the global environment. If you set this to `false`, you should import from `@jest/globals`, e.g. + +```ts +import {expect, jest, test} from '@jest/globals'; + +jest.useFakeTimers(); + +test('some test', () => { + expect(Date.now()).toBe(0); +}); +``` + +_Note: This option is only supported using the default `jest-circus` test runner._ + +### `--json` + +Prints the test results in JSON. This mode will send all other test output and user messages to stderr. + +### `--lastCommit` + +Run all tests affected by file changes in the last commit made. Behaves similarly to `--onlyChanged`. + +### `--listTests` + +Lists all tests as JSON that Jest will run given the arguments, and exits. This can be used together with `--findRelatedTests` to know which tests Jest will run. + +### `--logHeapUsage` + +Logs the heap usage after every test. Useful to debug memory leaks. Use together with `--runInBand` and `--expose-gc` in node. + +### `--maxConcurrency=` + +Prevents Jest from executing more than the specified amount of tests at the same time. Only affects tests that use `test.concurrent`. + +### `--maxWorkers=|` + +Alias: `-w`. Specifies the maximum number of workers the worker-pool will spawn for running tests. In single run mode, this defaults to the number of the cores available on your machine minus one for the main thread. In watch mode, this defaults to half of the available cores on your machine to ensure Jest is unobtrusive and does not grind your machine to a halt. It may be useful to adjust this in resource limited environments like CIs but the defaults should be adequate for most use-cases. + +For environments with variable CPUs available, you can use percentage based configuration: `--maxWorkers=50%` + +### `--noStackTrace` + +Disables stack trace in test results output. + +### `--notify` + +Activates notifications for test results. Good for when you don't want your consciousness to be able to focus on anything except JavaScript testing. + +### `--onlyChanged` + +Alias: `-o`. Attempts to identify which tests to run based on which files have changed in the current repository. Only works if you're running tests in a git/hg repository at the moment and requires a static dependency graph (ie. no dynamic requires). + +### `--outputFile=` + +Write test results to a file when the `--json` option is also specified. The returned JSON structure is documented in [testResultsProcessor](Configuration.md#testresultsprocessor-string). + +### `--passWithNoTests` + +Allows the test suite to pass when no files are found. + +### `--projects ... ` + +Run tests from one or more projects, found in the specified paths; also takes path globs. This option is the CLI equivalent of the [`projects`](configuration#projects-arraystring--projectconfig) configuration option. Note that if configuration files are found in the specified paths, _all_ projects specified within those configuration files will be run. + +### `--reporters` + +Run tests with specified reporters. [Reporter options](configuration#reporters-arraymodulename--modulename-options) are not available via CLI. Example with multiple reporters: + +`jest --reporters="default" --reporters="jest-junit"` + +### `--resetMocks` + +Automatically reset mock state before every test. Equivalent to calling [`jest.resetAllMocks()`](JestObjectAPI.md#jestresetallmocks) before each test. This will lead to any mocks having their fake implementations removed but does not restore their initial implementation. + +### `--restoreMocks` + +Automatically restore mock state and implementation before every test. Equivalent to calling [`jest.restoreAllMocks()`](JestObjectAPI.md#jestrestoreallmocks) before each test. This will lead to any mocks having their fake implementations removed and restores their initial implementation. + +### `--roots` + +A list of paths to directories that Jest should use to search for files in. + +### `--runInBand` + +Alias: `-i`. Run all tests serially in the current process, rather than creating a worker pool of child processes that run tests. This can be useful for debugging. + +### `--runTestsByPath` + +Run only the tests that were specified with their exact paths. + +_Note: The default regex matching works fine on small runs, but becomes slow if provided with multiple patterns and/or against a lot of tests. This option replaces the regex matching logic and by that optimizes the time it takes Jest to filter specific test files_ + +### `--selectProjects ... ` + +Run only the tests of the specified projects. Jest uses the attribute `displayName` in the configuration to identify each project. If you use this option, you should provide a `displayName` to all your projects. + +### `--setupFilesAfterEnv ... ` + +A list of paths to modules that run some code to configure or to set up the testing framework before each test. Beware that files imported by the setup scripts will not be mocked during testing. + +### `--showConfig` + +Print your Jest config and then exits. + +### `--silent` + +Prevent tests from printing messages through the console. + +### `--testEnvironmentOptions=` + +A JSON string with options that will be passed to the `testEnvironment`. The relevant options depend on the environment. + +### `--testLocationInResults` + +Adds a `location` field to test results. Useful if you want to report the location of a test in a reporter. + +Note that `column` is 0-indexed while `line` is not. + +```json +{ + "column": 4, + "line": 5 +} +``` + +### `--testNamePattern=` + +Alias: -t. Run only tests with a name that matches the regex. For example, suppose you want to run only tests related to authorization which will have names like "GET /api/posts with auth", then you can use jest -t=auth. + +Note: The regex is matched against the full name, which is a combination of the test name and all its surrounding describe blocks. + +### `--testPathIgnorePatterns=|[array]` + +A single or array of regexp pattern strings that are tested against all tests paths before executing the test. Contrary to `--testPathPattern`, it will only run those tests with a path that does not match with the provided regexp expressions. + +To pass as an array use escaped parentheses and space delimited regexps such as `\(/node_modules/ /tests/e2e/\)`. Alternatively, you can omit parentheses by combining regexps into a single regexp like `/node_modules/|/tests/e2e/`. These two examples are equivalent. + +### `--testPathPattern=` + +A regexp pattern string that is matched against all tests paths before executing the test. On Windows, you will need to use `/` as a path separator or escape `\` as `\\`. + +### `--testRunner=` + +Lets you specify a custom test runner. + +### `--testSequencer=` + +Lets you specify a custom test sequencer. Please refer to the documentation of the corresponding configuration property for details. + +### `--testTimeout=` + +Default timeout of a test in milliseconds. Default value: 5000. + +### `--updateSnapshot` + +Alias: `-u`. Use this flag to re-record every snapshot that fails during this test run. Can be used together with a test suite pattern or with `--testNamePattern` to re-record snapshots. + +### `--useStderr` + +Divert all output to stderr. + +### `--verbose` + +Display individual test results with the test suite hierarchy. + +### `--version` + +Alias: `-v`. Print the version and exit. + +### `--watch` + +Watch files for changes and rerun tests related to changed files. If you want to re-run all tests when a file has changed, use the `--watchAll` option instead. + +### `--watchAll` + +Watch files for changes and rerun all tests when something changes. If you want to re-run only the tests that depend on the changed files, use the `--watch` option. + +Use `--watchAll=false` to explicitly disable the watch mode. Note that in most CI environments, this is automatically handled for you. + +### `--watchman` + +Whether to use [`watchman`](https://facebook.github.io/watchman/) for file crawling. Defaults to `true`. Disable using `--no-watchman`. diff --git a/website/versioned_docs/version-27.5/CodeTransformation.md b/website/versioned_docs/version-27.5/CodeTransformation.md new file mode 100644 index 000000000000..8da5d7a72bc8 --- /dev/null +++ b/website/versioned_docs/version-27.5/CodeTransformation.md @@ -0,0 +1,158 @@ +--- +id: code-transformation +title: Code Transformation +--- + +Jest runs the code in your project as JavaScript, but if you use some syntax not supported by Node.js out of the box (such as JSX, types from TypeScript, Vue templates etc.) then you'll need to transform that code into plain JavaScript, similar to what you would do when building for browsers. + +Jest supports this via the [`transform` configuration option](Configuration.md#transform-objectstring-pathtotransformer--pathtotransformer-object). + +A transformer is a module that provides a synchronous function for transforming source files. For example, if you wanted to be able to use a new language feature in your modules or tests that aren't yet supported by Node, you might plug in one of many compilers that compile a future version of JavaScript to a current one. + +Jest will cache the result of a transformation and attempt to invalidate that result based on a number of factors, such as the source of the file being transformed and changing configuration. + +## Defaults + +Jest ships with one transformer out of the box - `babel-jest`. It will automatically load your project's Babel configuration and transform any file matching the following RegEx: `/\.[jt]sx?$/` meaning any `.js`, `.jsx`, `.ts` and `.tsx` file. In addition, `babel-jest` will inject the Babel plugin necessary for mock hoisting talked about in [ES Module mocking](ManualMocks.md#using-with-es-module-imports). + +If you override the `transform` configuration option `babel-jest` will no longer be active, and you'll need to add it manually if you wish to use Babel. + +## Writing custom transformers + +You can write your own transformer. The API of a transformer is as follows: + +```ts +interface SyncTransformer { + /** + * Indicates if the transformer is capable of instrumenting the code for code coverage. + * + * If V8 coverage is _not_ active, and this is `true`, Jest will assume the code is instrumented. + * If V8 coverage is _not_ active, and this is `false`. Jest will instrument the code returned by this transformer using Babel. + */ + canInstrument?: boolean; + createTransformer?: (options?: OptionType) => SyncTransformer; + + getCacheKey?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => string; + + getCacheKeyAsync?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => Promise; + + process: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => TransformedSource; + + processAsync?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => Promise; +} + +interface AsyncTransformer { + /** + * Indicates if the transformer is capable of instrumenting the code for code coverage. + * + * If V8 coverage is _not_ active, and this is `true`, Jest will assume the code is instrumented. + * If V8 coverage is _not_ active, and this is `false`. Jest will instrument the code returned by this transformer using Babel. + */ + canInstrument?: boolean; + createTransformer?: (options?: OptionType) => AsyncTransformer; + + getCacheKey?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => string; + + getCacheKeyAsync?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => Promise; + + process?: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => TransformedSource; + + processAsync: ( + sourceText: string, + sourcePath: Config.Path, + options: TransformOptions, + ) => Promise; +} + +type Transformer = + | SyncTransformer + | AsyncTransformer; + +interface TransformOptions { + /** + * If a transformer does module resolution and reads files, it should populate `cacheFS` so that + * Jest avoids reading the same files again, improving performance. `cacheFS` stores entries of + * + */ + cacheFS: Map; + config: Config.ProjectConfig; + /** A stringified version of the configuration - useful in cache busting */ + configString: string; + instrument: boolean; + // names are copied from babel: https://babeljs.io/docs/en/options#caller + supportsDynamicImport: boolean; + supportsExportNamespaceFrom: boolean; + supportsStaticESM: boolean; + supportsTopLevelAwait: boolean; + /** the options passed through Jest's config by the user */ + transformerConfig: OptionType; +} + +type TransformedSource = + | {code: string; map?: RawSourceMap | string | null} + | string; + +// Config.ProjectConfig can be seen in code [here](https://github.com/facebook/jest/blob/v26.6.3/packages/jest-types/src/Config.ts#L323) +// RawSourceMap comes from [`source-map`](https://github.com/mozilla/source-map/blob/0.6.1/source-map.d.ts#L6-L12) +``` + +As can be seen, only `process` or `processAsync` is mandatory to implement, although we highly recommend implementing `getCacheKey` as well, so we don't waste resources transpiling the same source file when we can read its previous result from disk. You can use [`@jest/create-cache-key-function`](https://www.npmjs.com/package/@jest/create-cache-key-function) to help implement it. + +Note that [ECMAScript module](ECMAScriptModules.md) support is indicated by the passed in `supports*` options. Specifically `supportsDynamicImport: true` means the transformer can return `import()` expressions, which is supported by both ESM and CJS. If `supportsStaticESM: true` it means top level `import` statements are supported and the code will be interpreted as ESM and not CJS. See [Node's docs](https://nodejs.org/api/esm.html#esm_differences_between_es_modules_and_commonjs) for details on the differences. + +### Examples + +### TypeScript with type checking + +While `babel-jest` by default will transpile TypeScript files, Babel will not verify the types. If you want that you can use [`ts-jest`](https://github.com/kulshekhar/ts-jest). + +#### Transforming images to their path + +Importing images is a way to include them in your browser bundle, but they are not valid JavaScript. One way of handling it in Jest is to replace the imported value with its filename. + +```js title="fileTransformer.js" +const path = require('path'); + +module.exports = { + process(src, filename, config, options) { + return 'module.exports = ' + JSON.stringify(path.basename(filename)) + ';'; + }, +}; +``` + +```js title="jest.config.js" +module.exports = { + transform: { + '\\.(jpg|jpeg|png|gif|eot|otf|webp|svg|ttf|woff|woff2|mp4|webm|wav|mp3|m4a|aac|oga)$': + '/fileTransformer.js', + }, +}; +``` diff --git a/website/versioned_docs/version-27.5/Configuration.md b/website/versioned_docs/version-27.5/Configuration.md new file mode 100644 index 000000000000..db32780483b3 --- /dev/null +++ b/website/versioned_docs/version-27.5/Configuration.md @@ -0,0 +1,1463 @@ +--- +id: configuration +title: Configuring Jest +--- + +Jest's configuration can be defined in the `package.json` file of your project, or through a `jest.config.js`, or `jest.config.ts` file or through the `--config ` option. If you'd like to use your `package.json` to store Jest's config, the `"jest"` key should be used on the top level so Jest will know how to find your settings: + +```json +{ + "name": "my-project", + "jest": { + "verbose": true + } +} +``` + +Or through JavaScript: + +```js title="jest.config.js" +// Sync object +/** @type {import('@jest/types').Config.InitialOptions} */ +const config = { + verbose: true, +}; + +module.exports = config; + +// Or async function +module.exports = async () => { + return { + verbose: true, + }; +}; +``` + +Or through TypeScript (if `ts-node` is installed): + +```ts title="jest.config.ts" +import type {Config} from '@jest/types'; + +// Sync object +const config: Config.InitialOptions = { + verbose: true, +}; +export default config; + +// Or async function +export default async (): Promise => { + return { + verbose: true, + }; +}; +``` + +Please keep in mind that the resulting configuration must be JSON-serializable. + +When using the `--config` option, the JSON file must not contain a "jest" key: + +```json +{ + "bail": 1, + "verbose": true +} +``` + +## Options + +These options let you control Jest's behavior in your `package.json` file. The Jest philosophy is to work great by default, but sometimes you just need more configuration power. + +### Defaults + +You can retrieve Jest's default options to expand them if needed: + +```js title="jest.config.js" +const {defaults} = require('jest-config'); +module.exports = { + // ... + moduleFileExtensions: [...defaults.moduleFileExtensions, 'ts', 'tsx'], + // ... +}; +``` + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Reference + +### `automock` \[boolean] + +Default: `false` + +This option tells Jest that all imported modules in your tests should be mocked automatically. All modules used in your tests will have a replacement implementation, keeping the API surface. + +Example: + +```js title="utils.js" +export default { + authorize: () => { + return 'token'; + }, + isAuthorized: secret => secret === 'wizard', +}; +``` + +```js +//__tests__/automocking.test.js +import utils from '../utils'; + +test('if utils mocked automatically', () => { + // Public methods of `utils` are now mock functions + expect(utils.authorize.mock).toBeTruthy(); + expect(utils.isAuthorized.mock).toBeTruthy(); + + // You can provide them with your own implementation + // or pass the expected return value + utils.authorize.mockReturnValue('mocked_token'); + utils.isAuthorized.mockReturnValue(true); + + expect(utils.authorize()).toBe('mocked_token'); + expect(utils.isAuthorized('not_wizard')).toBeTruthy(); +}); +``` + +_Note: Node modules are automatically mocked when you have a manual mock in place (e.g.: `__mocks__/lodash.js`). More info [here](manual-mocks#mocking-node-modules)._ + +_Note: Core modules, like `fs`, are not mocked by default. They can be mocked explicitly, like `jest.mock('fs')`._ + +### `bail` \[number | boolean] + +Default: `0` + +By default, Jest runs all tests and produces all errors into the console upon completion. The bail config option can be used here to have Jest stop running tests after `n` failures. Setting bail to `true` is the same as setting bail to `1`. + +### `cacheDirectory` \[string] + +Default: `"/tmp/"` + +The directory where Jest should store its cached dependency information. + +Jest attempts to scan your dependency tree once (up-front) and cache it in order to ease some of the filesystem raking that needs to happen while running tests. This config option lets you customize where Jest stores that cache data on disk. + +### `clearMocks` \[boolean] + +Default: `false` + +Automatically clear mock calls, instances and results before every test. Equivalent to calling [`jest.clearAllMocks()`](JestObjectAPI.md#jestclearallmocks) before each test. This does not remove any mock implementation that may have been provided. + +### `collectCoverage` \[boolean] + +Default: `false` + +Indicates whether the coverage information should be collected while executing the test. Because this retrofits all executed files with coverage collection statements, it may significantly slow down your tests. + +### `collectCoverageFrom` \[array] + +Default: `undefined` + +An array of [glob patterns](https://github.com/micromatch/micromatch) indicating a set of files for which coverage information should be collected. If a file matches the specified glob pattern, coverage information will be collected for it even if no tests exist for this file and it's never required in the test suite. + +Example: + +```json +{ + "collectCoverageFrom": [ + "**/*.{js,jsx}", + "!**/node_modules/**", + "!**/vendor/**" + ] +} +``` + +This will collect coverage information for all the files inside the project's `rootDir`, except the ones that match `**/node_modules/**` or `**/vendor/**`. + +_Note: Each glob pattern is applied in the order they are specified in the config. (For example `["!**/__tests__/**", "**/*.js"]` will not exclude `__tests__` because the negation is overwritten with the second pattern. In order to make the negated glob work in this example it has to come after `**/*.js`.)_ + +_Note: This option requires `collectCoverage` to be set to true or Jest to be invoked with `--coverage`._ + +
+ Help: + If you are seeing coverage output such as... + +``` +=============================== Coverage summary =============================== +Statements : Unknown% ( 0/0 ) +Branches : Unknown% ( 0/0 ) +Functions : Unknown% ( 0/0 ) +Lines : Unknown% ( 0/0 ) +================================================================================ +Jest: Coverage data for global was not found. +``` + +Most likely your glob patterns are not matching any files. Refer to the [micromatch](https://github.com/micromatch/micromatch) documentation to ensure your globs are compatible. + +
+ +### `coverageDirectory` \[string] + +Default: `undefined` + +The directory where Jest should output its coverage files. + +### `coveragePathIgnorePatterns` \[array<string>] + +Default: `["/node_modules/"]` + +An array of regexp pattern strings that are matched against all file paths before executing the test. If the file path matches any of the patterns, coverage information will be skipped. + +These pattern strings match against the full path. Use the `` string token to include the path to your project's root directory to prevent it from accidentally ignoring all of your files in different environments that may have different root directories. Example: `["/build/", "/node_modules/"]`. + +### `coverageProvider` \[string] + +Indicates which provider should be used to instrument code for coverage. Allowed values are `babel` (default) or `v8`. + +Note that using `v8` is considered experimental. This uses V8's builtin code coverage rather than one based on Babel. It is not as well tested, and it has also improved in the last few releases of Node. Using the latest versions of node (v14 at the time of this writing) will yield better results. + +### `coverageReporters` \[array<string | \[string, options]>] + +Default: `["clover", "json", "lcov", "text"]` + +A list of reporter names that Jest uses when writing coverage reports. Any [istanbul reporter](https://github.com/istanbuljs/istanbuljs/tree/master/packages/istanbul-reports/lib) can be used. + +_Note: Setting this option overwrites the default values. Add `"text"` or `"text-summary"` to see a coverage summary in the console output._ + +Additional options can be passed using the tuple form. For example, you may hide coverage report lines for all fully-covered files: + +```json +{ + "coverageReporters": ["clover", "json", "lcov", ["text", {"skipFull": true}]] +} +``` + +For more information about the options object shape refer to `CoverageReporterWithOptions` type in the [type definitions](https://github.com/facebook/jest/tree/main/packages/jest-types/src/Config.ts). + +### `coverageThreshold` \[object] + +Default: `undefined` + +This will be used to configure minimum threshold enforcement for coverage results. Thresholds can be specified as `global`, as a [glob](https://github.com/isaacs/node-glob#glob-primer), and as a directory or file path. If thresholds aren't met, jest will fail. Thresholds specified as a positive number are taken to be the minimum percentage required. Thresholds specified as a negative number represent the maximum number of uncovered entities allowed. + +For example, with the following configuration jest will fail if there is less than 80% branch, line, and function coverage, or if there are more than 10 uncovered statements: + +```json +{ + ... + "jest": { + "coverageThreshold": { + "global": { + "branches": 80, + "functions": 80, + "lines": 80, + "statements": -10 + } + } + } +} +``` + +If globs or paths are specified alongside `global`, coverage data for matching paths will be subtracted from overall coverage and thresholds will be applied independently. Thresholds for globs are applied to all files matching the glob. If the file specified by path is not found, an error is returned. + +For example, with the following configuration: + +```json +{ + ... + "jest": { + "coverageThreshold": { + "global": { + "branches": 50, + "functions": 50, + "lines": 50, + "statements": 50 + }, + "./src/components/": { + "branches": 40, + "statements": 40 + }, + "./src/reducers/**/*.js": { + "statements": 90 + }, + "./src/api/very-important-module.js": { + "branches": 100, + "functions": 100, + "lines": 100, + "statements": 100 + } + } + } +} +``` + +Jest will fail if: + +- The `./src/components` directory has less than 40% branch or statement coverage. +- One of the files matching the `./src/reducers/**/*.js` glob has less than 90% statement coverage. +- The `./src/api/very-important-module.js` file has less than 100% coverage. +- Every remaining file combined has less than 50% coverage (`global`). + +### `dependencyExtractor` \[string] + +Default: `undefined` + +This option allows the use of a custom dependency extractor. It must be a node module that exports an object with an `extract` function. E.g.: + +```javascript +const crypto = require('crypto'); +const fs = require('fs'); + +module.exports = { + extract(code, filePath, defaultExtract) { + const deps = defaultExtract(code, filePath); + // Scan the file and add dependencies in `deps` (which is a `Set`) + return deps; + }, + getCacheKey() { + return crypto + .createHash('md5') + .update(fs.readFileSync(__filename)) + .digest('hex'); + }, +}; +``` + +The `extract` function should return an iterable (`Array`, `Set`, etc.) with the dependencies found in the code. + +That module can also contain a `getCacheKey` function to generate a cache key to determine if the logic has changed and any cached artifacts relying on it should be discarded. + +### `displayName` \[string, object] + +default: `undefined` + +Allows for a label to be printed alongside a test while it is running. This becomes more useful in multi-project repositories where there can be many jest configuration files. This visually tells which project a test belongs to. Here are sample valid values. + +```js +module.exports = { + displayName: 'CLIENT', +}; +``` + +or + +```js +module.exports = { + displayName: { + name: 'CLIENT', + color: 'blue', + }, +}; +``` + +As a secondary option, an object with the properties `name` and `color` can be passed. This allows for a custom configuration of the background color of the displayName. `displayName` defaults to white when its value is a string. Jest uses [chalk](https://github.com/chalk/chalk) to provide the color. As such, all of the valid options for colors supported by chalk are also supported by jest. + +### `errorOnDeprecated` \[boolean] + +Default: `false` + +Make calling deprecated APIs throw helpful error messages. Useful for easing the upgrade process. + +### `extensionsToTreatAsEsm` \[array<string>] + +Default: `[]` + +Jest will run `.mjs` and `.js` files with nearest `package.json`'s `type` field set to `module` as ECMAScript Modules. If you have any other files that should run with native ESM, you need to specify their file extension here. + +> Note: Jest's ESM support is still experimental, see [its docs for more details](ECMAScriptModules.md). + +```json +{ + ... + "jest": { + "extensionsToTreatAsEsm": [".ts"] + } +} +``` + +### `extraGlobals` \[array<string>] + +Default: `undefined` + +Test files run inside a [vm](https://nodejs.org/api/vm.html), which slows calls to global context properties (e.g. `Math`). With this option you can specify extra properties to be defined inside the vm for faster lookups. + +For example, if your tests call `Math` often, you can pass it by setting `extraGlobals`. + +```json +{ + ... + "jest": { + "extraGlobals": ["Math"] + } +} +``` + +### `forceCoverageMatch` \[array<string>] + +Default: `['']` + +Test files are normally ignored from collecting code coverage. With this option, you can overwrite this behavior and include otherwise ignored files in code coverage. + +For example, if you have tests in source files named with `.t.js` extension as following: + +```javascript title="sum.t.js" +export function sum(a, b) { + return a + b; +} + +if (process.env.NODE_ENV === 'test') { + test('sum', () => { + expect(sum(1, 2)).toBe(3); + }); +} +``` + +You can collect coverage from those files with setting `forceCoverageMatch`. + +```json +{ + ... + "jest": { + "forceCoverageMatch": ["**/*.t.js"] + } +} +``` + +### `globals` \[object] + +Default: `{}` + +A set of global variables that need to be available in all test environments. + +For example, the following would create a global `__DEV__` variable set to `true` in all test environments: + +```json +{ + ... + "jest": { + "globals": { + "__DEV__": true + } + } +} +``` + +Note that, if you specify a global reference value (like an object or array) here, and some code mutates that value in the midst of running a test, that mutation will _not_ be persisted across test runs for other test files. In addition, the `globals` object must be json-serializable, so it can't be used to specify global functions. For that, you should use `setupFiles`. + +### `globalSetup` \[string] + +Default: `undefined` + +This option allows the use of a custom global setup module which exports an async function that is triggered once before all test suites. This function gets Jest's `globalConfig` object as a parameter. + +_Note: A global setup module configured in a project (using multi-project runner) will be triggered only when you run at least one test from this project._ + +_Note: Any global variables that are defined through `globalSetup` can only be read in `globalTeardown`. You cannot retrieve globals defined here in your test suites._ + +_Note: While code transformation is applied to the linked setup-file, Jest will **not** transform any code in `node_modules`. This is due to the need to load the actual transformers (e.g. `babel` or `typescript`) to perform transformation._ + +Example: + +```js title="setup.js" +// can be synchronous +module.exports = async () => { + // ... + // Set reference to mongod in order to close the server during teardown. + global.__MONGOD__ = mongod; +}; +``` + +```js title="teardown.js" +module.exports = async function () { + await global.__MONGOD__.stop(); +}; +``` + +### `globalTeardown` \[string] + +Default: `undefined` + +This option allows the use of a custom global teardown module which exports an async function that is triggered once after all test suites. This function gets Jest's `globalConfig` object as a parameter. + +_Note: A global teardown module configured in a project (using multi-project runner) will be triggered only when you run at least one test from this project._ + +_Note: The same caveat concerning transformation of `node_modules` as for `globalSetup` applies to `globalTeardown`._ + +### `haste` \[object] + +Default: `undefined` + +This will be used to configure the behavior of `jest-haste-map`, Jest's internal file crawler/cache system. The following options are supported: + +```ts +type HasteConfig = { + /** Whether to hash files using SHA-1. */ + computeSha1?: boolean; + /** The platform to use as the default, e.g. 'ios'. */ + defaultPlatform?: string | null; + /** Force use of Node's `fs` APIs rather than shelling out to `find` */ + forceNodeFilesystemAPI?: boolean; + /** + * Whether to follow symlinks when crawling for files. + * This options cannot be used in projects which use watchman. + * Projects with `watchman` set to true will error if this option is set to true. + */ + enableSymlinks?: boolean; + /** Path to a custom implementation of Haste. */ + hasteImplModulePath?: string; + /** All platforms to target, e.g ['ios', 'android']. */ + platforms?: Array; + /** Whether to throw on error on module collision. */ + throwOnModuleCollision?: boolean; + /** Custom HasteMap module */ + hasteMapModulePath?: string; +}; +``` + +### `injectGlobals` \[boolean] + +Default: `true` + +Insert Jest's globals (`expect`, `test`, `describe`, `beforeEach` etc.) into the global environment. If you set this to `false`, you should import from `@jest/globals`, e.g. + +```ts +import {expect, jest, test} from '@jest/globals'; + +jest.useFakeTimers(); + +test('some test', () => { + expect(Date.now()).toBe(0); +}); +``` + +_Note: This option is only supported using the default `jest-circus`. test runner_ + +### `maxConcurrency` \[number] + +Default: `5` + +A number limiting the number of tests that are allowed to run at the same time when using `test.concurrent`. Any test above this limit will be queued and executed once a slot is released. + +### `maxWorkers` \[number | string] + +Specifies the maximum number of workers the worker-pool will spawn for running tests. In single run mode, this defaults to the number of the cores available on your machine minus one for the main thread. In watch mode, this defaults to half of the available cores on your machine to ensure Jest is unobtrusive and does not grind your machine to a halt. It may be useful to adjust this in resource limited environments like CIs but the defaults should be adequate for most use-cases. + +For environments with variable CPUs available, you can use percentage based configuration: `"maxWorkers": "50%"` + +### `moduleDirectories` \[array<string>] + +Default: `["node_modules"]` + +An array of directory names to be searched recursively up from the requiring module's location. Setting this option will _override_ the default, if you wish to still search `node_modules` for packages include it along with any other options: `["node_modules", "bower_components"]` + +### `moduleFileExtensions` \[array<string>] + +Default: `["js", "jsx", "ts", "tsx", "json", "node"]` + +An array of file extensions your modules use. If you require modules without specifying a file extension, these are the extensions Jest will look for, in left-to-right order. + +We recommend placing the extensions most commonly used in your project on the left, so if you are using TypeScript, you may want to consider moving "ts" and/or "tsx" to the beginning of the array. + +### `moduleNameMapper` \[object<string, string | array<string>>] + +Default: `null` + +A map from regular expressions to module names or to arrays of module names that allow to stub out resources, like images or styles with a single module. + +Modules that are mapped to an alias are unmocked by default, regardless of whether automocking is enabled or not. + +Use `` string token to refer to [`rootDir`](#rootdir-string) value if you want to use file paths. + +Additionally, you can substitute captured regex groups using numbered backreferences. + +Example: + +```json +{ + "moduleNameMapper": { + "^image![a-zA-Z0-9$_-]+$": "GlobalImageStub", + "^[./a-zA-Z0-9$_-]+\\.png$": "/RelativeImageStub.js", + "module_name_(.*)": "/substituted_module_$1.js", + "assets/(.*)": [ + "/images/$1", + "/photos/$1", + "/recipes/$1" + ] + } +} +``` + +The order in which the mappings are defined matters. Patterns are checked one by one until one fits. The most specific rule should be listed first. This is true for arrays of module names as well. + +_Note: If you provide module name without boundaries `^$` it may cause hard to spot errors. E.g. `relay` will replace all modules which contain `relay` as a substring in its name: `relay`, `react-relay` and `graphql-relay` will all be pointed to your stub._ + +### `modulePathIgnorePatterns` \[array<string>] + +Default: `[]` + +An array of regexp pattern strings that are matched against all module paths before those paths are to be considered 'visible' to the module loader. If a given module's path matches any of the patterns, it will not be `require()`-able in the test environment. + +These pattern strings match against the full path. Use the `` string token to include the path to your project's root directory to prevent it from accidentally ignoring all of your files in different environments that may have different root directories. Example: `["/build/"]`. + +### `modulePaths` \[array<string>] + +Default: `[]` + +An alternative API to setting the `NODE_PATH` env variable, `modulePaths` is an array of absolute paths to additional locations to search when resolving modules. Use the `` string token to include the path to your project's root directory. Example: `["/app/"]`. + +### `notify` \[boolean] + +Default: `false` + +Activates notifications for test results. + +**Beware:** Jest uses [node-notifier](https://github.com/mikaelbr/node-notifier) to display desktop notifications. On Windows, it creates a new start menu entry on the first use and not display the notification. Notifications will be properly displayed on subsequent runs + +### `notifyMode` \[string] + +Default: `failure-change` + +Specifies notification mode. Requires `notify: true`. + +#### Modes + +- `always`: always send a notification. +- `failure`: send a notification when tests fail. +- `success`: send a notification when tests pass. +- `change`: send a notification when the status changed. +- `success-change`: send a notification when tests pass or once when it fails. +- `failure-change`: send a notification when tests fail or once when it passes. + +### `preset` \[string] + +Default: `undefined` + +A preset that is used as a base for Jest's configuration. A preset should point to an npm module that has a `jest-preset.json`, `jest-preset.js`, `jest-preset.cjs` or `jest-preset.mjs` file at the root. + +For example, this preset `foo-bar/jest-preset.js` will be configured as follows: + +```json +{ + "preset": "foo-bar" +} +``` + +Presets may also be relative to filesystem paths. + +```json +{ + "preset": "./node_modules/foo-bar/jest-preset.js" +} +``` + +### `prettierPath` \[string] + +Default: `'prettier'` + +Sets the path to the [`prettier`](https://prettier.io/) node module used to update inline snapshots. + +### `projects` \[array<string | ProjectConfig>] + +Default: `undefined` + +When the `projects` configuration is provided with an array of paths or glob patterns, Jest will run tests in all of the specified projects at the same time. This is great for monorepos or when working on multiple projects at the same time. + +```json +{ + "projects": ["", "/examples/*"] +} +``` + +This example configuration will run Jest in the root directory as well as in every folder in the examples directory. You can have an unlimited amount of projects running in the same Jest instance. + +The projects feature can also be used to run multiple configurations or multiple [runners](#runner-string). For this purpose, you can pass an array of configuration objects. For example, to run both tests and ESLint (via [jest-runner-eslint](https://github.com/jest-community/jest-runner-eslint)) in the same invocation of Jest: + +```json +{ + "projects": [ + { + "displayName": "test" + }, + { + "displayName": "lint", + "runner": "jest-runner-eslint", + "testMatch": ["/**/*.js"] + } + ] +} +``` + +_Note: When using multi-project runner, it's recommended to add a `displayName` for each project. This will show the `displayName` of a project next to its tests._ + +### `reporters` \[array<moduleName | \[moduleName, options]>] + +Default: `undefined` + +Use this configuration option to add custom reporters to Jest. A custom reporter is a class that implements `onRunStart`, `onTestStart`, `onTestResult`, `onRunComplete` methods that will be called when any of those events occurs. + +If custom reporters are specified, the default Jest reporters will be overridden. To keep default reporters, `default` can be passed as a module name. + +This will override default reporters: + +```json +{ + "reporters": ["/my-custom-reporter.js"] +} +``` + +This will use custom reporter in addition to default reporters that Jest provides: + +```json +{ + "reporters": ["default", "/my-custom-reporter.js"] +} +``` + +Additionally, custom reporters can be configured by passing an `options` object as a second argument: + +```json +{ + "reporters": [ + "default", + ["/my-custom-reporter.js", {"banana": "yes", "pineapple": "no"}] + ] +} +``` + +Custom reporter modules must define a class that takes a `GlobalConfig` and reporter options as constructor arguments: + +Example reporter: + +```js title="my-custom-reporter.js" +class MyCustomReporter { + constructor(globalConfig, options) { + this._globalConfig = globalConfig; + this._options = options; + } + + onRunComplete(contexts, results) { + console.log('Custom reporter output:'); + console.log('GlobalConfig: ', this._globalConfig); + console.log('Options: ', this._options); + } +} + +module.exports = MyCustomReporter; +// or export default MyCustomReporter; +``` + +Custom reporters can also force Jest to exit with non-0 code by returning an Error from `getLastError()` methods + +```js +class MyCustomReporter { + // ... + getLastError() { + if (this._shouldFail) { + return new Error('my-custom-reporter.js reported an error'); + } + } +} +``` + +For the full list of methods and argument types see `Reporter` interface in [packages/jest-reporters/src/types.ts](https://github.com/facebook/jest/blob/main/packages/jest-reporters/src/types.ts) + +### `resetMocks` \[boolean] + +Default: `false` + +Automatically reset mock state before every test. Equivalent to calling [`jest.resetAllMocks()`](JestObjectAPI.md#jestresetallmocks) before each test. This will lead to any mocks having their fake implementations removed but does not restore their initial implementation. + +### `resetModules` \[boolean] + +Default: `false` + +By default, each test file gets its own independent module registry. Enabling `resetModules` goes a step further and resets the module registry before running each individual test. This is useful to isolate modules for every test so that the local module state doesn't conflict between tests. This can be done programmatically using [`jest.resetModules()`](JestObjectAPI.md#jestresetmodules). + +### `resolver` \[string] + +Default: `undefined` + +This option allows the use of a custom resolver. This resolver must be a node module that exports a function expecting a string as the first argument for the path to resolve and an object with the following structure as the second argument: + +```json +{ + "basedir": string, + "conditions": [string], + "defaultResolver": "function(request, options)", + "extensions": [string], + "moduleDirectory": [string], + "paths": [string], + "packageFilter": "function(pkg, pkgdir)", + "pathFilter": "function(pkg, path, relativePath)", + "rootDir": [string] +} +``` + +The function should either return a path to the module that should be resolved or throw an error if the module can't be found. + +Note: the defaultResolver passed as an option is the Jest default resolver which might be useful when you write your custom one. It takes the same arguments as your custom one, e.g. `(request, options)`. + +For example, if you want to respect Browserify's [`"browser"` field](https://github.com/browserify/browserify-handbook/blob/master/readme.markdown#browser-field), you can use the following configuration: + +```json +{ + ... + "jest": { + "resolver": "/resolver.js" + } +} +``` + +```js title="resolver.js" +const browserResolve = require('browser-resolve'); + +module.exports = browserResolve.sync; +``` + +By combining `defaultResolver` and `packageFilter` we can implement a `package.json` "pre-processor" that allows us to change how the default resolver will resolve modules. For example, imagine we want to use the field `"module"` if it is present, otherwise fallback to `"main"`: + +```json +{ + ... + "jest": { + "resolver": "my-module-resolve" + } +} +``` + +```js +// my-module-resolve package + +module.exports = (request, options) => { + // Call the defaultResolver, so we leverage its cache, error handling, etc. + return options.defaultResolver(request, { + ...options, + // Use packageFilter to process parsed `package.json` before the resolution (see https://www.npmjs.com/package/resolve#resolveid-opts-cb) + packageFilter: pkg => { + return { + ...pkg, + // Alter the value of `main` before resolving the package + main: pkg.module || pkg.main, + }; + }, + }); +}; +``` + +While Jest does not support [package `exports`](https://nodejs.org/api/packages.html#packages_package_entry_points) (beyond `main`), Jest will provide `conditions` as an option when calling custom resolvers, which can be used to implement support for `exports` in userland. Jest will pass `['import', 'default']` when running a test in ESM mode, and `['require', 'default']` when running with CJS. Additionally, custom test environments can specify an `exportConditions` method which returns an array of conditions that will be passed along with Jest's defaults. + +### `restoreMocks` \[boolean] + +Default: `false` + +Automatically restore mock state and implementation before every test. Equivalent to calling [`jest.restoreAllMocks()`](JestObjectAPI.md#jestrestoreallmocks) before each test. This will lead to any mocks having their fake implementations removed and restores their initial implementation. + +### `rootDir` \[string] + +Default: The root of the directory containing your Jest [config file](#) _or_ the `package.json` _or_ the [`pwd`](http://en.wikipedia.org/wiki/Pwd) if no `package.json` is found + +The root directory that Jest should scan for tests and modules within. If you put your Jest config inside your `package.json` and want the root directory to be the root of your repo, the value for this config param will default to the directory of the `package.json`. + +Oftentimes, you'll want to set this to `'src'` or `'lib'`, corresponding to where in your repository the code is stored. + +_Note that using `''` as a string token in any other path-based config settings will refer back to this value. So, for example, if you want your [`setupFiles`](#setupfiles-array) config entry to point at the `env-setup.js` file at the root of your project, you could set its value to `["/env-setup.js"]`._ + +### `roots` \[array<string>] + +Default: `[""]` + +A list of paths to directories that Jest should use to search for files in. + +There are times where you only want Jest to search in a single sub-directory (such as cases where you have a `src/` directory in your repo), but prevent it from accessing the rest of the repo. + +_Note: While `rootDir` is mostly used as a token to be re-used in other configuration options, `roots` is used by the internals of Jest to locate **test files and source files**. This applies also when searching for manual mocks for modules from `node_modules` (`__mocks__` will need to live in one of the `roots`)._ + +_Note: By default, `roots` has a single entry `` but there are cases where you may want to have multiple roots within one project, for example `roots: ["/src/", "/tests/"]`._ + +### `runner` \[string] + +Default: `"jest-runner"` + +This option allows you to use a custom runner instead of Jest's default test runner. Examples of runners include: + +- [`jest-runner-eslint`](https://github.com/jest-community/jest-runner-eslint) +- [`jest-runner-mocha`](https://github.com/rogeliog/jest-runner-mocha) +- [`jest-runner-tsc`](https://github.com/azz/jest-runner-tsc) +- [`jest-runner-prettier`](https://github.com/keplersj/jest-runner-prettier) + +_Note: The `runner` property value can omit the `jest-runner-` prefix of the package name._ + +To write a test-runner, export a class with which accepts `globalConfig` in the constructor, and has a `runTests` method with the signature: + +```ts +async runTests( + tests: Array, + watcher: TestWatcher, + onStart: OnTestStart, + onResult: OnTestSuccess, + onFailure: OnTestFailure, + options: TestRunnerOptions, +): Promise +``` + +If you need to restrict your test-runner to only run in serial rather than being executed in parallel your class should have the property `isSerial` to be set as `true`. + +### `setupFiles` \[array] + +Default: `[]` + +A list of paths to modules that run some code to configure or set up the testing environment. Each setupFile will be run once per test file. Since every test runs in its own environment, these scripts will be executed in the testing environment before executing [`setupFilesAfterEnv`](#setupfilesafterenv-array) and before the test code itself. + +### `setupFilesAfterEnv` \[array] + +Default: `[]` + +A list of paths to modules that run some code to configure or set up the testing framework before each test file in the suite is executed. Since [`setupFiles`](#setupfiles-array) executes before the test framework is installed in the environment, this script file presents you the opportunity of running some code immediately after the test framework has been installed in the environment but before the test code itself. + +If you want a path to be [relative to the root directory of your project](#rootdir-string), please include `` inside a path's string, like `"/a-configs-folder"`. + +For example, Jest ships with several plug-ins to `jasmine` that work by monkey-patching the jasmine API. If you wanted to add even more jasmine plugins to the mix (or if you wanted some custom, project-wide matchers for example), you could do so in these modules. + +_Note: `setupTestFrameworkScriptFile` is deprecated in favor of `setupFilesAfterEnv`._ + +Example `setupFilesAfterEnv` array in a jest.config.js: + +```js +module.exports = { + setupFilesAfterEnv: ['./jest.setup.js'], +}; +``` + +Example `jest.setup.js` file + +```js +jest.setTimeout(10000); // in milliseconds +``` + +### `slowTestThreshold` \[number] + +Default: `5` + +The number of seconds after which a test is considered as slow and reported as such in the results. + +### `snapshotFormat` \[object] + +Default: `undefined` + +Allows overriding specific snapshot formatting options documented in the [pretty-format readme](https://www.npmjs.com/package/pretty-format#usage-with-options). For example, this config would have the snapshot formatter not print a prefix for "Object" and "Array": + +```json +{ + "jest": { + "snapshotFormat": { + "printBasicPrototype": false + } + } +} +``` + +```ts +import {expect, test} from '@jest/globals'; + +test('does not show prototypes for object and array inline', () => { + const object = { + array: [{hello: 'Danger'}], + }; + expect(object).toMatchInlineSnapshot(` +{ + "array": [ + { + "hello": "Danger", + }, + ], +} + `); +}); +``` + +### `snapshotResolver` \[string] + +Default: `undefined` + +The path to a module that can resolve test<->snapshot path. This config option lets you customize where Jest stores snapshot files on disk. + +Example snapshot resolver module: + +```js +module.exports = { + // resolves from test to snapshot path + resolveSnapshotPath: (testPath, snapshotExtension) => + testPath.replace('__tests__', '__snapshots__') + snapshotExtension, + + // resolves from snapshot to test path + resolveTestPath: (snapshotFilePath, snapshotExtension) => + snapshotFilePath + .replace('__snapshots__', '__tests__') + .slice(0, -snapshotExtension.length), + + // Example test path, used for preflight consistency check of the implementation above + testPathForConsistencyCheck: 'some/__tests__/example.test.js', +}; +``` + +### `snapshotSerializers` \[array<string>] + +Default: `[]` + +A list of paths to snapshot serializer modules Jest should use for snapshot testing. + +Jest has default serializers for built-in JavaScript types, HTML elements (Jest 20.0.0+), ImmutableJS (Jest 20.0.0+) and for React elements. See [snapshot test tutorial](TutorialReactNative.md#snapshot-test) for more information. + +Example serializer module: + +```js +// my-serializer-module +module.exports = { + serialize(val, config, indentation, depth, refs, printer) { + return 'Pretty foo: ' + printer(val.foo); + }, + + test(val) { + return val && val.hasOwnProperty('foo'); + }, +}; +``` + +`printer` is a function that serializes a value using existing plugins. + +To use `my-serializer-module` as a serializer, configuration would be as follows: + +```json +{ + ... + "jest": { + "snapshotSerializers": ["my-serializer-module"] + } +} +``` + +Finally tests would look as follows: + +```js +test(() => { + const bar = { + foo: { + x: 1, + y: 2, + }, + }; + + expect(bar).toMatchSnapshot(); +}); +``` + +Rendered snapshot: + +```json +Pretty foo: Object { + "x": 1, + "y": 2, +} +``` + +To make a dependency explicit instead of implicit, you can call [`expect.addSnapshotSerializer`](ExpectAPI.md#expectaddsnapshotserializerserializer) to add a module for an individual test file instead of adding its path to `snapshotSerializers` in Jest configuration. + +More about serializers API can be found [here](https://github.com/facebook/jest/tree/main/packages/pretty-format/README.md#serialize). + +### `testEnvironment` \[string] + +Default: `"node"` + +The test environment that will be used for testing. The default environment in Jest is a Node.js environment. If you are building a web app, you can use a browser-like environment through [`jsdom`](https://github.com/jsdom/jsdom) instead. + +By adding a `@jest-environment` docblock at the top of the file, you can specify another environment to be used for all tests in that file: + +```js +/** + * @jest-environment jsdom + */ + +test('use jsdom in this test file', () => { + const element = document.createElement('div'); + expect(element).not.toBeNull(); +}); +``` + +You can create your own module that will be used for setting up the test environment. The module must export a class with `setup`, `teardown` and `getVmContext` methods. You can also pass variables from this module to your test suites by assigning them to `this.global` object – this will make them available in your test suites as global variables. + +The class may optionally expose an asynchronous `handleTestEvent` method to bind to events fired by [`jest-circus`](https://github.com/facebook/jest/tree/main/packages/jest-circus). Normally, `jest-circus` test runner would pause until a promise returned from `handleTestEvent` gets fulfilled, **except for the next events**: `start_describe_definition`, `finish_describe_definition`, `add_hook`, `add_test` or `error` (for the up-to-date list you can look at [SyncEvent type in the types definitions](https://github.com/facebook/jest/tree/main/packages/jest-types/src/Circus.ts)). That is caused by backward compatibility reasons and `process.on('unhandledRejection', callback)` signature, but that usually should not be a problem for most of the use cases. + +Any docblock pragmas in test files will be passed to the environment constructor and can be used for per-test configuration. If the pragma does not have a value, it will be present in the object with its value set to an empty string. If the pragma is not present, it will not be present in the object. + +To use this class as your custom environment, refer to it by its full path within the project. For example, if your class is stored in `my-custom-environment.js` in some subfolder of your project, then the annotation might look like this: + +```js +/** + * @jest-environment ./src/test/my-custom-environment + */ +``` + +_Note: TestEnvironment is sandboxed. Each test suite will trigger setup/teardown in their own TestEnvironment._ + +Example: + +```js +// my-custom-environment +const NodeEnvironment = require('jest-environment-node'); + +class CustomEnvironment extends NodeEnvironment { + constructor(config, context) { + super(config, context); + this.testPath = context.testPath; + this.docblockPragmas = context.docblockPragmas; + } + + async setup() { + await super.setup(); + await someSetupTasks(this.testPath); + this.global.someGlobalObject = createGlobalObject(); + + // Will trigger if docblock contains @my-custom-pragma my-pragma-value + if (this.docblockPragmas['my-custom-pragma'] === 'my-pragma-value') { + // ... + } + } + + async teardown() { + this.global.someGlobalObject = destroyGlobalObject(); + await someTeardownTasks(); + await super.teardown(); + } + + getVmContext() { + return super.getVmContext(); + } + + async handleTestEvent(event, state) { + if (event.name === 'test_start') { + // ... + } + } +} + +module.exports = CustomEnvironment; +``` + +```js +// my-test-suite +/** + * @jest-environment ./my-custom-environment + */ +let someGlobalObject; + +beforeAll(() => { + someGlobalObject = global.someGlobalObject; +}); +``` + +### `testEnvironmentOptions` \[Object] + +Default: `{}` + +Test environment options that will be passed to the `testEnvironment`. The relevant options depend on the environment. For example, you can override options given to [jsdom](https://github.com/jsdom/jsdom) such as `{html: "", userAgent: "Agent/007"}`. + +### `testFailureExitCode` \[number] + +Default: `1` + +The exit code Jest returns on test failure. + +_Note: This does not change the exit code in the case of Jest errors (e.g. invalid configuration)._ + +### `testMatch` \[array<string>] + +(default: `[ "**/__tests__/**/*.[jt]s?(x)", "**/?(*.)+(spec|test).[jt]s?(x)" ]`) + +The glob patterns Jest uses to detect test files. By default it looks for `.js`, `.jsx`, `.ts` and `.tsx` files inside of `__tests__` folders, as well as any files with a suffix of `.test` or `.spec` (e.g. `Component.test.js` or `Component.spec.js`). It will also find files called `test.js` or `spec.js`. + +See the [micromatch](https://github.com/micromatch/micromatch) package for details of the patterns you can specify. + +See also [`testRegex` [string | array<string>]](#testregex-string--arraystring), but note that you cannot specify both options. + +_Note: Each glob pattern is applied in the order they are specified in the config. (For example `["!**/__fixtures__/**", "**/__tests__/**/*.js"]` will not exclude `__fixtures__` because the negation is overwritten with the second pattern. In order to make the negated glob work in this example it has to come after `**/__tests__/**/*.js`.)_ + +### `testPathIgnorePatterns` \[array<string>] + +Default: `["/node_modules/"]` + +An array of regexp pattern strings that are matched against all test paths before executing the test. If the test path matches any of the patterns, it will be skipped. + +These pattern strings match against the full path. Use the `` string token to include the path to your project's root directory to prevent it from accidentally ignoring all of your files in different environments that may have different root directories. Example: `["/build/", "/node_modules/"]`. + +### `testRegex` \[string | array<string>] + +Default: `(/__tests__/.*|(\\.|/)(test|spec))\\.[jt]sx?$` + +The pattern or patterns Jest uses to detect test files. By default it looks for `.js`, `.jsx`, `.ts` and `.tsx` files inside of `__tests__` folders, as well as any files with a suffix of `.test` or `.spec` (e.g. `Component.test.js` or `Component.spec.js`). It will also find files called `test.js` or `spec.js`. See also [`testMatch` [array<string>]](#testmatch-arraystring), but note that you cannot specify both options. + +The following is a visualization of the default regex: + +```bash +├── __tests__ +│ └── component.spec.js # test +│ └── anything # test +├── package.json # not test +├── foo.test.js # test +├── bar.spec.jsx # test +└── component.js # not test +``` + +_Note: `testRegex` will try to detect test files using the **absolute file path**, therefore, having a folder with a name that matches it will run all the files as tests_ + +### `testResultsProcessor` \[string] + +Default: `undefined` + +This option allows the use of a custom results processor. This processor must be a node module that exports a function expecting an object with the following structure as the first argument and return it: + +```json +{ + "success": boolean, + "startTime": epoch, + "numTotalTestSuites": number, + "numPassedTestSuites": number, + "numFailedTestSuites": number, + "numRuntimeErrorTestSuites": number, + "numTotalTests": number, + "numPassedTests": number, + "numFailedTests": number, + "numPendingTests": number, + "numTodoTests": number, + "openHandles": Array, + "testResults": [{ + "numFailingTests": number, + "numPassingTests": number, + "numPendingTests": number, + "testResults": [{ + "title": string (message in it block), + "status": "failed" | "pending" | "passed", + "ancestorTitles": [string (message in describe blocks)], + "failureMessages": [string], + "numPassingAsserts": number, + "location": { + "column": number, + "line": number + } + }, + ... + ], + "perfStats": { + "start": epoch, + "end": epoch + }, + "testFilePath": absolute path to test file, + "coverage": {} + }, + "testExecError:" (exists if there was a top-level failure) { + "message": string + "stack": string + } + ... + ] +} +``` + +### `testRunner` \[string] + +Default: `jest-circus/runner` + +This option allows the use of a custom test runner. The default is `jest-circus`. A custom test runner can be provided by specifying a path to a test runner implementation. + +The test runner module must export a function with the following signature: + +```ts +function testRunner( + globalConfig: GlobalConfig, + config: ProjectConfig, + environment: Environment, + runtime: Runtime, + testPath: string, +): Promise; +``` + +An example of such function can be found in our default [jasmine2 test runner package](https://github.com/facebook/jest/blob/main/packages/jest-jasmine2/src/index.ts). + +### `testSequencer` \[string] + +Default: `@jest/test-sequencer` + +This option allows you to use a custom sequencer instead of Jest's default. `sort` may optionally return a Promise. + +Example: + +Sort test path alphabetically. + +```js title="testSequencer.js" +const Sequencer = require('@jest/test-sequencer').default; + +class CustomSequencer extends Sequencer { + sort(tests) { + // Test structure information + // https://github.com/facebook/jest/blob/6b8b1404a1d9254e7d5d90a8934087a9c9899dab/packages/jest-runner/src/types.ts#L17-L21 + const copyTests = Array.from(tests); + return copyTests.sort((testA, testB) => (testA.path > testB.path ? 1 : -1)); + } +} + +module.exports = CustomSequencer; +``` + +Use it in your Jest config file like this: + +```json +{ + "testSequencer": "path/to/testSequencer.js" +} +``` + +### `testTimeout` \[number] + +Default: `5000` + +Default timeout of a test in milliseconds. + +### `testURL` \[string] + +Default: `http://localhost` + +This option sets the URL for the jsdom environment. It is reflected in properties such as `location.href`. + +### `timers` \[string] + +Default: `real` + +Setting this value to `fake` or `modern` enables fake timers for all tests by default. Fake timers are useful when a piece of code sets a long timeout that we don't want to wait for in a test. You can learn more about fake timers [here](JestObjectAPI.md#jestusefaketimersimplementation-modern--legacy). + +If the value is `legacy`, the old implementation will be used as implementation instead of one backed by [`@sinonjs/fake-timers`](https://github.com/sinonjs/fake-timers). + +### `transform` \[object<string, pathToTransformer | \[pathToTransformer, object]>] + +Default: `{"\\.[jt]sx?$": "babel-jest"}` + +A map from regular expressions to paths to transformers. A transformer is a module that provides a synchronous function for transforming source files. For example, if you wanted to be able to use a new language feature in your modules or tests that aren't yet supported by node, you might plug in one of many compilers that compile a future version of JavaScript to a current one. Example: see the [examples/typescript](https://github.com/facebook/jest/blob/main/examples/typescript/package.json#L16) example or the [webpack tutorial](Webpack.md). + +Examples of such compilers include: + +- [Babel](https://babeljs.io/) +- [TypeScript](http://www.typescriptlang.org/) +- To build your own please visit the [Custom Transformer](CodeTransformation.md#writing-custom-transformers) section + +You can pass configuration to a transformer like `{filePattern: ['path-to-transformer', {options}]}` For example, to configure babel-jest for non-default behavior, `{"\\.js$": ['babel-jest', {rootMode: "upward"}]}` + +_Note: a transformer is only run once per file unless the file has changed. During the development of a transformer it can be useful to run Jest with `--no-cache` to frequently [delete Jest's cache](Troubleshooting.md#caching-issues)._ + +_Note: when adding additional code transformers, this will overwrite the default config and `babel-jest` is no longer automatically loaded. If you want to use it to compile JavaScript or Typescript, it has to be explicitly defined by adding `{"\\.[jt]sx?$": "babel-jest"}` to the transform property. See [babel-jest plugin](https://github.com/facebook/jest/tree/main/packages/babel-jest#setup)_ + +A transformer must be an object with at least a `process` function, and it's also recommended to include a `getCacheKey` function. If your transformer is written in ESM you should have a default export with that object. + +If the tests are written using [native ESM](ECMAScriptModules.md) the transformer can export `processAsync` and `getCacheKeyAsync` instead or in addition to the synchronous variants. + +### `transformIgnorePatterns` \[array<string>] + +Default: `["/node_modules/", "\\.pnp\\.[^\\\/]+$"]` + +An array of regexp pattern strings that are matched against all source file paths before transformation. If the file path matches **any** of the patterns, it will not be transformed. + +Providing regexp patterns that overlap with each other may result in files not being transformed that you expected to be transformed. For example: + +```json +{ + "transformIgnorePatterns": ["/node_modules/(?!(foo|bar)/)", "/bar/"] +} +``` + +The first pattern will match (and therefore not transform) files inside `/node_modules` except for those in `/node_modules/foo/` and `/node_modules/bar/`. The second pattern will match (and therefore not transform) files inside any path with `/bar/` in it. With the two together, files in `/node_modules/bar/` will not be transformed because it does match the second pattern, even though it was excluded by the first. + +Sometimes it happens (especially in React Native or TypeScript projects) that 3rd party modules are published as untranspiled code. Since all files inside `node_modules` are not transformed by default, Jest will not understand the code in these modules, resulting in syntax errors. To overcome this, you may use `transformIgnorePatterns` to allow transpiling such modules. You'll find a good example of this use case in [React Native Guide](/docs/tutorial-react-native#transformignorepatterns-customization). + +These pattern strings match against the full path. Use the `` string token to include the path to your project's root directory to prevent it from accidentally ignoring all of your files in different environments that may have different root directories. + +Example: + +```json +{ + "transformIgnorePatterns": [ + "/bower_components/", + "/node_modules/" + ] +} +``` + +### `unmockedModulePathPatterns` \[array<string>] + +Default: `[]` + +An array of regexp pattern strings that are matched against all modules before the module loader will automatically return a mock for them. If a module's path matches any of the patterns in this list, it will not be automatically mocked by the module loader. + +This is useful for some commonly used 'utility' modules that are almost always used as implementation details almost all the time (like underscore/lo-dash, etc). It's generally a best practice to keep this list as small as possible and always use explicit `jest.mock()`/`jest.unmock()` calls in individual tests. Explicit per-test setup is far easier for other readers of the test to reason about the environment the test will run in. + +It is possible to override this setting in individual tests by explicitly calling `jest.mock()` at the top of the test file. + +### `verbose` \[boolean] + +Default: `false` + +Indicates whether each individual test should be reported during the run. All errors will also still be shown on the bottom after execution. Note that if there is only one test file being run it will default to `true`. + +### `watchPathIgnorePatterns` \[array<string>] + +Default: `[]` + +An array of RegExp patterns that are matched against all source file paths before re-running tests in watch mode. If the file path matches any of the patterns, when it is updated, it will not trigger a re-run of tests. + +These patterns match against the full path. Use the `` string token to include the path to your project's root directory to prevent it from accidentally ignoring all of your files in different environments that may have different root directories. Example: `["/node_modules/"]`. + +Even if nothing is specified here, the watcher will ignore changes to the version control folders (.git, .hg). Other hidden files and directories, i.e. those that begin with a dot (`.`), are watched by default. Remember to escape the dot when you add them to `watchPathIgnorePatterns` as it is a special RegExp character. + +Example: + +```json +{ + "watchPathIgnorePatterns": ["/\\.tmp/", "/bar/"] +} +``` + +### `watchPlugins` \[array<string | \[string, Object]>] + +Default: `[]` + +This option allows you to use custom watch plugins. Read more about watch plugins [here](watch-plugins). + +Examples of watch plugins include: + +- [`jest-watch-master`](https://github.com/rickhanlonii/jest-watch-master) +- [`jest-watch-select-projects`](https://github.com/rogeliog/jest-watch-select-projects) +- [`jest-watch-suspend`](https://github.com/unional/jest-watch-suspend) +- [`jest-watch-typeahead`](https://github.com/jest-community/jest-watch-typeahead) +- [`jest-watch-yarn-workspaces`](https://github.com/cameronhunter/jest-watch-directories/tree/master/packages/jest-watch-yarn-workspaces) + +_Note: The values in the `watchPlugins` property value can omit the `jest-watch-` prefix of the package name._ + +### `watchman` \[boolean] + +Default: `true` + +Whether to use [`watchman`](https://facebook.github.io/watchman/) for file crawling. + +### `//` \[string] + +No default + +This option allows comments in `package.json`. Include the comment text as the value of this key anywhere in `package.json`. + +Example: + +```json +{ + "name": "my-project", + "jest": { + "//": "Comment goes here", + "verbose": true + } +} +``` diff --git a/website/versioned_docs/version-27.5/DynamoDB.md b/website/versioned_docs/version-27.5/DynamoDB.md new file mode 100644 index 000000000000..a5abd9147aed --- /dev/null +++ b/website/versioned_docs/version-27.5/DynamoDB.md @@ -0,0 +1,81 @@ +--- +id: dynamodb +title: Using with DynamoDB +--- + +With the [Global Setup/Teardown](Configuration.md#globalsetup-string) and [Async Test Environment](Configuration.md#testenvironment-string) APIs, Jest can work smoothly with [DynamoDB](https://aws.amazon.com/dynamodb/). + +## Use jest-dynamodb Preset + +[Jest DynamoDB](https://github.com/shelfio/jest-dynamodb) provides all required configuration to run your tests using DynamoDB. + +1. First, install `@shelf/jest-dynamodb` + +``` +yarn add @shelf/jest-dynamodb --dev +``` + +2. Specify preset in your Jest configuration: + +```json +{ + "preset": "@shelf/jest-dynamodb" +} +``` + +3. Create `jest-dynamodb-config.js` and define DynamoDB tables + +See [Create Table API](https://docs.aws.amazon.com/AWSJavaScriptSDK/latest/AWS/DynamoDB.html#createTable-property) + +```js +module.exports = { + tables: [ + { + TableName: `files`, + KeySchema: [{AttributeName: 'id', KeyType: 'HASH'}], + AttributeDefinitions: [{AttributeName: 'id', AttributeType: 'S'}], + ProvisionedThroughput: {ReadCapacityUnits: 1, WriteCapacityUnits: 1}, + }, + // etc + ], +}; +``` + +4. Configure DynamoDB client + +```js +const {DocumentClient} = require('aws-sdk/clients/dynamodb'); + +const isTest = process.env.JEST_WORKER_ID; +const config = { + convertEmptyValues: true, + ...(isTest && { + endpoint: 'localhost:8000', + sslEnabled: false, + region: 'local-env', + }), +}; + +const ddb = new DocumentClient(config); +``` + +5. Write tests + +```js +it('should insert item into table', async () => { + await ddb + .put({TableName: 'files', Item: {id: '1', hello: 'world'}}) + .promise(); + + const {Item} = await ddb.get({TableName: 'files', Key: {id: '1'}}).promise(); + + expect(Item).toEqual({ + id: '1', + hello: 'world', + }); +}); +``` + +There's no need to load any dependencies. + +See [documentation](https://github.com/shelfio/jest-dynamodb) for details. diff --git a/website/versioned_docs/version-27.5/ECMAScriptModules.md b/website/versioned_docs/version-27.5/ECMAScriptModules.md new file mode 100644 index 000000000000..b4ad17d411b4 --- /dev/null +++ b/website/versioned_docs/version-27.5/ECMAScriptModules.md @@ -0,0 +1,36 @@ +--- +id: ecmascript-modules +title: ECMAScript Modules +--- + +Jest ships with _experimental_ support for ECMAScript Modules (ESM). + +> Note that due to its experimental nature there are many bugs and missing features in Jest's implementation, both known and unknown. You should check out the [tracking issue](https://github.com/facebook/jest/issues/9430) and the [label](https://github.com/facebook/jest/labels/ES%20Modules) on the issue tracker for the latest status. + +> Also note that the APIs Jest uses to implement ESM support is still [considered experimental by Node](https://nodejs.org/api/vm.html#vm_class_vm_module) (as of version `14.13.1`). + +With the warnings out of the way, this is how you activate ESM support in your tests. + +1. Ensure you either disable [code transforms](./configuration#transform-objectstring-pathtotransformer--pathtotransformer-object) by passing `transform: {}` or otherwise configure your transformer to emit ESM rather than the default CommonJS (CJS). +1. Execute `node` with `--experimental-vm-modules`, e.g. `node --experimental-vm-modules node_modules/jest/bin/jest.js` or `NODE_OPTIONS=--experimental-vm-modules npx jest` etc.. + + On Windows, you can use [`cross-env`](https://github.com/kentcdodds/cross-env) to be able to set environment variables. + + If you use Yarn, you can use `yarn node --experimental-vm-modules $(yarn bin jest)`. This command will also work if you use [Yarn Plug'n'Play](https://yarnpkg.com/features/pnp). + +1. Beyond that, we attempt to follow `node`'s logic for activating "ESM mode" (such as looking at `type` in `package.json` or `.mjs` files), see [their docs](https://nodejs.org/api/esm.html#esm_enabling) for details. +1. If you want to treat other file extensions (such as `.jsx` or `.ts`) as ESM, please use the [`extensionsToTreatAsEsm` option](Configuration.md#extensionstotreatasesm-arraystring). + +## Differences between ESM and CommonJS + +Most of the differences are explained in [Node's documentation](https://nodejs.org/api/esm.html#esm_differences_between_es_modules_and_commonjs), but in addition to the things mentioned there, Jest injects a special variable into all executed files - the [`jest` object](JestObjectAPI.md). To access this object in ESM, you need to import it from the `@jest/globals` module. + +```js +import {jest} from '@jest/globals'; + +jest.useFakeTimers(); + +// etc. +``` + +Please note that we currently don't support `jest.mock` in a clean way in ESM, but that is something we intend to add proper support for in the future. Follow [this issue](https://github.com/facebook/jest/issues/10025) for updates. diff --git a/website/versioned_docs/version-27.5/EnvironmentVariables.md b/website/versioned_docs/version-27.5/EnvironmentVariables.md new file mode 100644 index 000000000000..fb50c3e72d08 --- /dev/null +++ b/website/versioned_docs/version-27.5/EnvironmentVariables.md @@ -0,0 +1,14 @@ +--- +id: environment-variables +title: Environment Variables +--- + +Jest sets the following environment variables: + +### `NODE_ENV` + +Set to `'test'` if it's not already set to something else. + +### `JEST_WORKER_ID` + +Each worker process is assigned a unique id (index-based that starts with `1`). This is set to `1` for all tests when [`runInBand`](CLI.md#--runinband) is set to true. diff --git a/website/versioned_docs/version-27.5/Es6ClassMocks.md b/website/versioned_docs/version-27.5/Es6ClassMocks.md new file mode 100644 index 000000000000..37d26d744624 --- /dev/null +++ b/website/versioned_docs/version-27.5/Es6ClassMocks.md @@ -0,0 +1,354 @@ +--- +id: es6-class-mocks +title: ES6 Class Mocks +--- + +Jest can be used to mock ES6 classes that are imported into files you want to test. + +ES6 classes are constructor functions with some syntactic sugar. Therefore, any mock for an ES6 class must be a function or an actual ES6 class (which is, again, another function). So you can mock them using [mock functions](MockFunctions.md). + +## An ES6 Class Example + +We'll use a contrived example of a class that plays sound files, `SoundPlayer`, and a consumer class which uses that class, `SoundPlayerConsumer`. We'll mock `SoundPlayer` in our tests for `SoundPlayerConsumer`. + +```javascript title="sound-player.js" +export default class SoundPlayer { + constructor() { + this.foo = 'bar'; + } + + playSoundFile(fileName) { + console.log('Playing sound file ' + fileName); + } +} +``` + +```javascript title="sound-player-consumer.js" +import SoundPlayer from './sound-player'; + +export default class SoundPlayerConsumer { + constructor() { + this.soundPlayer = new SoundPlayer(); + } + + playSomethingCool() { + const coolSoundFileName = 'song.mp3'; + this.soundPlayer.playSoundFile(coolSoundFileName); + } +} +``` + +## The 4 ways to create an ES6 class mock + +### Automatic mock + +Calling `jest.mock('./sound-player')` returns a useful "automatic mock" you can use to spy on calls to the class constructor and all of its methods. It replaces the ES6 class with a mock constructor, and replaces all of its methods with [mock functions](MockFunctions.md) that always return `undefined`. Method calls are saved in `theAutomaticMock.mock.instances[index].methodName.mock.calls`. + +Please note that if you use arrow functions in your classes, they will _not_ be part of the mock. The reason for that is that arrow functions are not present on the object's prototype, they are merely properties holding a reference to a function. + +If you don't need to replace the implementation of the class, this is the easiest option to set up. For example: + +```javascript +import SoundPlayer from './sound-player'; +import SoundPlayerConsumer from './sound-player-consumer'; +jest.mock('./sound-player'); // SoundPlayer is now a mock constructor + +beforeEach(() => { + // Clear all instances and calls to constructor and all methods: + SoundPlayer.mockClear(); +}); + +it('We can check if the consumer called the class constructor', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + expect(SoundPlayer).toHaveBeenCalledTimes(1); +}); + +it('We can check if the consumer called a method on the class instance', () => { + // Show that mockClear() is working: + expect(SoundPlayer).not.toHaveBeenCalled(); + + const soundPlayerConsumer = new SoundPlayerConsumer(); + // Constructor should have been called again: + expect(SoundPlayer).toHaveBeenCalledTimes(1); + + const coolSoundFileName = 'song.mp3'; + soundPlayerConsumer.playSomethingCool(); + + // mock.instances is available with automatic mocks: + const mockSoundPlayerInstance = SoundPlayer.mock.instances[0]; + const mockPlaySoundFile = mockSoundPlayerInstance.playSoundFile; + expect(mockPlaySoundFile.mock.calls[0][0]).toEqual(coolSoundFileName); + // Equivalent to above check: + expect(mockPlaySoundFile).toHaveBeenCalledWith(coolSoundFileName); + expect(mockPlaySoundFile).toHaveBeenCalledTimes(1); +}); +``` + +### Manual mock + +Create a [manual mock](ManualMocks.md) by saving a mock implementation in the `__mocks__` folder. This allows you to specify the implementation, and it can be used across test files. + +```javascript title="__mocks__/sound-player.js" +// Import this named export into your test file: +export const mockPlaySoundFile = jest.fn(); +const mock = jest.fn().mockImplementation(() => { + return {playSoundFile: mockPlaySoundFile}; +}); + +export default mock; +``` + +Import the mock and the mock method shared by all instances: + +```javascript title="sound-player-consumer.test.js" +import SoundPlayer, {mockPlaySoundFile} from './sound-player'; +import SoundPlayerConsumer from './sound-player-consumer'; +jest.mock('./sound-player'); // SoundPlayer is now a mock constructor + +beforeEach(() => { + // Clear all instances and calls to constructor and all methods: + SoundPlayer.mockClear(); + mockPlaySoundFile.mockClear(); +}); + +it('We can check if the consumer called the class constructor', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + expect(SoundPlayer).toHaveBeenCalledTimes(1); +}); + +it('We can check if the consumer called a method on the class instance', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + const coolSoundFileName = 'song.mp3'; + soundPlayerConsumer.playSomethingCool(); + expect(mockPlaySoundFile).toHaveBeenCalledWith(coolSoundFileName); +}); +``` + +### Calling [`jest.mock()`](JestObjectAPI.md#jestmockmodulename-factory-options) with the module factory parameter + +`jest.mock(path, moduleFactory)` takes a **module factory** argument. A module factory is a function that returns the mock. + +In order to mock a constructor function, the module factory must return a constructor function. In other words, the module factory must be a function that returns a function - a higher-order function (HOF). + +```javascript +import SoundPlayer from './sound-player'; +const mockPlaySoundFile = jest.fn(); +jest.mock('./sound-player', () => { + return jest.fn().mockImplementation(() => { + return {playSoundFile: mockPlaySoundFile}; + }); +}); +``` + +A limitation with the factory parameter is that, since calls to `jest.mock()` are hoisted to the top of the file, it's not possible to first define a variable and then use it in the factory. An exception is made for variables that start with the word 'mock'. It's up to you to guarantee that they will be initialized on time! For example, the following will throw an out-of-scope error due to the use of 'fake' instead of 'mock' in the variable declaration: + +```javascript +// Note: this will fail +import SoundPlayer from './sound-player'; +const fakePlaySoundFile = jest.fn(); +jest.mock('./sound-player', () => { + return jest.fn().mockImplementation(() => { + return {playSoundFile: fakePlaySoundFile}; + }); +}); +``` + +### Replacing the mock using [`mockImplementation()`](MockFunctionAPI.md#mockfnmockimplementationfn) or [`mockImplementationOnce()`](MockFunctionAPI.md#mockfnmockimplementationoncefn) + +You can replace all of the above mocks in order to change the implementation, for a single test or all tests, by calling `mockImplementation()` on the existing mock. + +Calls to jest.mock are hoisted to the top of the code. You can specify a mock later, e.g. in `beforeAll()`, by calling `mockImplementation()` (or `mockImplementationOnce()`) on the existing mock instead of using the factory parameter. This also allows you to change the mock between tests, if needed: + +```javascript +import SoundPlayer from './sound-player'; +import SoundPlayerConsumer from './sound-player-consumer'; + +jest.mock('./sound-player'); + +describe('When SoundPlayer throws an error', () => { + beforeAll(() => { + SoundPlayer.mockImplementation(() => { + return { + playSoundFile: () => { + throw new Error('Test error'); + }, + }; + }); + }); + + it('Should throw an error when calling playSomethingCool', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + expect(() => soundPlayerConsumer.playSomethingCool()).toThrow(); + }); +}); +``` + +## In depth: Understanding mock constructor functions + +Building your constructor function mock using `jest.fn().mockImplementation()` makes mocks appear more complicated than they really are. This section shows how you can create your own mocks to illustrate how mocking works. + +### Manual mock that is another ES6 class + +If you define an ES6 class using the same filename as the mocked class in the `__mocks__` folder, it will serve as the mock. This class will be used in place of the real class. This allows you to inject a test implementation for the class, but does not provide a way to spy on calls. + +For the contrived example, the mock might look like this: + +```javascript title="__mocks__/sound-player.js" +export default class SoundPlayer { + constructor() { + console.log('Mock SoundPlayer: constructor was called'); + } + + playSoundFile() { + console.log('Mock SoundPlayer: playSoundFile was called'); + } +} +``` + +### Mock using module factory parameter + +The module factory function passed to `jest.mock(path, moduleFactory)` can be a HOF that returns a function\*. This will allow calling `new` on the mock. Again, this allows you to inject different behavior for testing, but does not provide a way to spy on calls. + +#### \* Module factory function must return a function + +In order to mock a constructor function, the module factory must return a constructor function. In other words, the module factory must be a function that returns a function - a higher-order function (HOF). + +```javascript +jest.mock('./sound-player', () => { + return function () { + return {playSoundFile: () => {}}; + }; +}); +``` + +**_Note: Arrow functions won't work_** + +Note that the mock can't be an arrow function because calling `new` on an arrow function is not allowed in JavaScript. So this won't work: + +```javascript +jest.mock('./sound-player', () => { + return () => { + // Does not work; arrow functions can't be called with new + return {playSoundFile: () => {}}; + }; +}); +``` + +This will throw **_TypeError: \_soundPlayer2.default is not a constructor_**, unless the code is transpiled to ES5, e.g. by `@babel/preset-env`. (ES5 doesn't have arrow functions nor classes, so both will be transpiled to plain functions.) + +## Keeping track of usage (spying on the mock) + +Injecting a test implementation is helpful, but you will probably also want to test whether the class constructor and methods are called with the correct parameters. + +### Spying on the constructor + +In order to track calls to the constructor, replace the function returned by the HOF with a Jest mock function. Create it with [`jest.fn()`](JestObjectAPI.md#jestfnimplementation), and then specify its implementation with `mockImplementation()`. + +```javascript +import SoundPlayer from './sound-player'; +jest.mock('./sound-player', () => { + // Works and lets you check for constructor calls: + return jest.fn().mockImplementation(() => { + return {playSoundFile: () => {}}; + }); +}); +``` + +This will let us inspect usage of our mocked class, using `SoundPlayer.mock.calls`: `expect(SoundPlayer).toHaveBeenCalled();` or near-equivalent: `expect(SoundPlayer.mock.calls.length).toEqual(1);` + +### Mocking non-default class exports + +If the class is **not** the default export from the module then you need to return an object with the key that is the same as the class export name. + +```javascript +import {SoundPlayer} from './sound-player'; +jest.mock('./sound-player', () => { + // Works and lets you check for constructor calls: + return { + SoundPlayer: jest.fn().mockImplementation(() => { + return {playSoundFile: () => {}}; + }), + }; +}); +``` + +### Spying on methods of our class + +Our mocked class will need to provide any member functions (`playSoundFile` in the example) that will be called during our tests, or else we'll get an error for calling a function that doesn't exist. But we'll probably want to also spy on calls to those methods, to ensure that they were called with the expected parameters. + +A new object will be created each time the mock constructor function is called during tests. To spy on method calls in all of these objects, we populate `playSoundFile` with another mock function, and store a reference to that same mock function in our test file, so it's available during tests. + +```javascript +import SoundPlayer from './sound-player'; +const mockPlaySoundFile = jest.fn(); +jest.mock('./sound-player', () => { + return jest.fn().mockImplementation(() => { + return {playSoundFile: mockPlaySoundFile}; + // Now we can track calls to playSoundFile + }); +}); +``` + +The manual mock equivalent of this would be: + +```javascript title="__mocks__/sound-player.js" +// Import this named export into your test file +export const mockPlaySoundFile = jest.fn(); +const mock = jest.fn().mockImplementation(() => { + return {playSoundFile: mockPlaySoundFile}; +}); + +export default mock; +``` + +Usage is similar to the module factory function, except that you can omit the second argument from `jest.mock()`, and you must import the mocked method into your test file, since it is no longer defined there. Use the original module path for this; don't include `__mocks__`. + +### Cleaning up between tests + +To clear the record of calls to the mock constructor function and its methods, we call [`mockClear()`](MockFunctionAPI.md#mockfnmockclear) in the `beforeEach()` function: + +```javascript +beforeEach(() => { + SoundPlayer.mockClear(); + mockPlaySoundFile.mockClear(); +}); +``` + +## Complete example + +Here's a complete test file which uses the module factory parameter to `jest.mock`: + +```javascript title="sound-player-consumer.test.js" +import SoundPlayer from './sound-player'; +import SoundPlayerConsumer from './sound-player-consumer'; + +const mockPlaySoundFile = jest.fn(); +jest.mock('./sound-player', () => { + return jest.fn().mockImplementation(() => { + return {playSoundFile: mockPlaySoundFile}; + }); +}); + +beforeEach(() => { + SoundPlayer.mockClear(); + mockPlaySoundFile.mockClear(); +}); + +it('The consumer should be able to call new() on SoundPlayer', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + // Ensure constructor created the object: + expect(soundPlayerConsumer).toBeTruthy(); +}); + +it('We can check if the consumer called the class constructor', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + expect(SoundPlayer).toHaveBeenCalledTimes(1); +}); + +it('We can check if the consumer called a method on the class instance', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + const coolSoundFileName = 'song.mp3'; + soundPlayerConsumer.playSomethingCool(); + expect(mockPlaySoundFile.mock.calls[0][0]).toEqual(coolSoundFileName); +}); +``` diff --git a/website/versioned_docs/version-27.5/ExpectAPI.md b/website/versioned_docs/version-27.5/ExpectAPI.md new file mode 100644 index 000000000000..c1dd22306097 --- /dev/null +++ b/website/versioned_docs/version-27.5/ExpectAPI.md @@ -0,0 +1,1419 @@ +--- +id: expect +title: Expect +--- + +When you're writing tests, you often need to check that values meet certain conditions. `expect` gives you access to a number of "matchers" that let you validate different things. + +For additional Jest matchers maintained by the Jest Community check out [`jest-extended`](https://github.com/jest-community/jest-extended). + +## Methods + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Reference + +### `expect(value)` + +The `expect` function is used every time you want to test a value. You will rarely call `expect` by itself. Instead, you will use `expect` along with a "matcher" function to assert something about a value. + +It's easier to understand this with an example. Let's say you have a method `bestLaCroixFlavor()` which is supposed to return the string `'grapefruit'`. Here's how you would test that: + +```js +test('the best flavor is grapefruit', () => { + expect(bestLaCroixFlavor()).toBe('grapefruit'); +}); +``` + +In this case, `toBe` is the matcher function. There are a lot of different matcher functions, documented below, to help you test different things. + +The argument to `expect` should be the value that your code produces, and any argument to the matcher should be the correct value. If you mix them up, your tests will still work, but the error messages on failing tests will look strange. + +### `expect.extend(matchers)` + +You can use `expect.extend` to add your own matchers to Jest. For example, let's say that you're testing a number utility library and you're frequently asserting that numbers appear within particular ranges of other numbers. You could abstract that into a `toBeWithinRange` matcher: + +```js +expect.extend({ + toBeWithinRange(received, floor, ceiling) { + const pass = received >= floor && received <= ceiling; + if (pass) { + return { + message: () => + `expected ${received} not to be within range ${floor} - ${ceiling}`, + pass: true, + }; + } else { + return { + message: () => + `expected ${received} to be within range ${floor} - ${ceiling}`, + pass: false, + }; + } + }, +}); + +test('numeric ranges', () => { + expect(100).toBeWithinRange(90, 110); + expect(101).not.toBeWithinRange(0, 100); + expect({apples: 6, bananas: 3}).toEqual({ + apples: expect.toBeWithinRange(1, 10), + bananas: expect.not.toBeWithinRange(11, 20), + }); +}); +``` + +_Note_: In TypeScript, when using `@types/jest` for example, you can declare the new `toBeWithinRange` matcher in the imported module like this: + +```ts +declare global { + namespace jest { + interface Matchers { + toBeWithinRange(a: number, b: number): R; + } + } +} +``` + +#### Async Matchers + +`expect.extend` also supports async matchers. Async matchers return a Promise so you will need to await the returned value. Let's use an example matcher to illustrate the usage of them. We are going to implement a matcher called `toBeDivisibleByExternalValue`, where the divisible number is going to be pulled from an external source. + +```js +expect.extend({ + async toBeDivisibleByExternalValue(received) { + const externalValue = await getExternalValueFromRemoteSource(); + const pass = received % externalValue == 0; + if (pass) { + return { + message: () => + `expected ${received} not to be divisible by ${externalValue}`, + pass: true, + }; + } else { + return { + message: () => + `expected ${received} to be divisible by ${externalValue}`, + pass: false, + }; + } + }, +}); + +test('is divisible by external value', async () => { + await expect(100).toBeDivisibleByExternalValue(); + await expect(101).not.toBeDivisibleByExternalValue(); +}); +``` + +#### Custom Matchers API + +Matchers should return an object (or a Promise of an object) with two keys. `pass` indicates whether there was a match or not, and `message` provides a function with no arguments that returns an error message in case of failure. Thus, when `pass` is false, `message` should return the error message for when `expect(x).yourMatcher()` fails. And when `pass` is true, `message` should return the error message for when `expect(x).not.yourMatcher()` fails. + +Matchers are called with the argument passed to `expect(x)` followed by the arguments passed to `.yourMatcher(y, z)`: + +```js +expect.extend({ + yourMatcher(x, y, z) { + return { + pass: true, + message: () => '', + }; + }, +}); +``` + +These helper functions and properties can be found on `this` inside a custom matcher: + +#### `this.isNot` + +A boolean to let you know this matcher was called with the negated `.not` modifier allowing you to display a clear and correct matcher hint (see example code). + +#### `this.promise` + +A string allowing you to display a clear and correct matcher hint: + +- `'rejects'` if matcher was called with the promise `.rejects` modifier +- `'resolves'` if matcher was called with the promise `.resolves` modifier +- `''` if matcher was not called with a promise modifier + +#### `this.equals(a, b)` + +This is a deep-equality function that will return `true` if two objects have the same values (recursively). + +#### `this.expand` + +A boolean to let you know this matcher was called with an `expand` option. When Jest is called with the `--expand` flag, `this.expand` can be used to determine if Jest is expected to show full diffs and errors. + +#### `this.utils` + +There are a number of helpful tools exposed on `this.utils` primarily consisting of the exports from [`jest-matcher-utils`](https://github.com/facebook/jest/tree/main/packages/jest-matcher-utils). + +The most useful ones are `matcherHint`, `printExpected` and `printReceived` to format the error messages nicely. For example, take a look at the implementation for the `toBe` matcher: + +```js +const {diff} = require('jest-diff'); +expect.extend({ + toBe(received, expected) { + const options = { + comment: 'Object.is equality', + isNot: this.isNot, + promise: this.promise, + }; + + const pass = Object.is(received, expected); + + const message = pass + ? () => + this.utils.matcherHint('toBe', undefined, undefined, options) + + '\n\n' + + `Expected: not ${this.utils.printExpected(expected)}\n` + + `Received: ${this.utils.printReceived(received)}` + : () => { + const diffString = diff(expected, received, { + expand: this.expand, + }); + return ( + this.utils.matcherHint('toBe', undefined, undefined, options) + + '\n\n' + + (diffString && diffString.includes('- Expect') + ? `Difference:\n\n${diffString}` + : `Expected: ${this.utils.printExpected(expected)}\n` + + `Received: ${this.utils.printReceived(received)}`) + ); + }; + + return {actual: received, message, pass}; + }, +}); +``` + +This will print something like this: + +```bash + expect(received).toBe(expected) + + Expected value to be (using Object.is): + "banana" + Received: + "apple" +``` + +When an assertion fails, the error message should give as much signal as necessary to the user so they can resolve their issue quickly. You should craft a precise failure message to make sure users of your custom assertions have a good developer experience. + +#### Custom snapshot matchers + +To use snapshot testing inside of your custom matcher you can import `jest-snapshot` and use it from within your matcher. + +Here's a snapshot matcher that trims a string to store for a given length, `.toMatchTrimmedSnapshot(length)`: + +```js +const {toMatchSnapshot} = require('jest-snapshot'); + +expect.extend({ + toMatchTrimmedSnapshot(received, length) { + return toMatchSnapshot.call( + this, + received.substring(0, length), + 'toMatchTrimmedSnapshot', + ); + }, +}); + +it('stores only 10 characters', () => { + expect('extra long string oh my gerd').toMatchTrimmedSnapshot(10); +}); + +/* +Stored snapshot will look like: + +exports[`stores only 10 characters: toMatchTrimmedSnapshot 1`] = `"extra long"`; +*/ +``` + +It's also possible to create custom matchers for inline snapshots, the snapshots will be correctly added to the custom matchers. However, inline snapshot will always try to append to the first argument or the second when the first argument is the property matcher, so it's not possible to accept custom arguments in the custom matchers. + +```js +const {toMatchInlineSnapshot} = require('jest-snapshot'); + +expect.extend({ + toMatchTrimmedInlineSnapshot(received, ...rest) { + return toMatchInlineSnapshot.call(this, received.substring(0, 10), ...rest); + }, +}); + +it('stores only 10 characters', () => { + expect('extra long string oh my gerd').toMatchTrimmedInlineSnapshot(); + /* + The snapshot will be added inline like + expect('extra long string oh my gerd').toMatchTrimmedInlineSnapshot( + `"extra long"` + ); + */ +}); +``` + +#### async + +If your custom inline snapshot matcher is async i.e. uses `async`-`await` you might encounter an error like "Multiple inline snapshots for the same call are not supported". Jest needs additional context information to find where the custom inline snapshot matcher was used to update the snapshots properly. + +```js +const {toMatchInlineSnapshot} = require('jest-snapshot'); + +expect.extend({ + async toMatchObservationInlineSnapshot(fn, ...rest) { + // The error (and its stacktrace) must be created before any `await` + this.error = new Error(); + + // The implementation of `observe` doesn't matter. + // It only matters that the custom snapshot matcher is async. + const observation = await observe(async () => { + await fn(); + }); + + return toMatchInlineSnapshot.call(this, recording, ...rest); + }, +}); + +it('observes something', async () => { + await expect(async () => { + return 'async action'; + }).toMatchTrimmedInlineSnapshot(); + /* + The snapshot will be added inline like + await expect(async () => { + return 'async action'; + }).toMatchTrimmedInlineSnapshot(`"async action"`); + */ +}); +``` + +#### Bail out + +Usually `jest` tries to match every snapshot that is expected in a test. + +Sometimes it might not make sense to continue the test if a prior snapshot failed. For example, when you make snapshots of a state-machine after various transitions you can abort the test once one transition produced the wrong state. + +In that case you can implement a custom snapshot matcher that throws on the first mismatch instead of collecting every mismatch. + +```js +const {toMatchInlineSnapshot} = require('jest-snapshot'); + +expect.extend({ + toMatchStateInlineSnapshot(...args) { + this.dontThrow = () => {}; + + return toMatchInlineSnapshot.call(this, ...args); + }, +}); + +let state = 'initial'; + +function transition() { + // Typo in the implementation should cause the test to fail + if (state === 'INITIAL') { + state = 'pending'; + } else if (state === 'pending') { + state = 'done'; + } +} + +it('transitions as expected', () => { + expect(state).toMatchStateInlineSnapshot(`"initial"`); + + transition(); + // Already produces a mismatch. No point in continuing the test. + expect(state).toMatchStateInlineSnapshot(`"loading"`); + + transition(); + expect(state).toMatchStateInlineSnapshot(`"done"`); +}); +``` + +### `expect.anything()` + +`expect.anything()` matches anything but `null` or `undefined`. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a non-null argument: + +```js +test('map calls its argument with a non-null argument', () => { + const mock = jest.fn(); + [1].map(x => mock(x)); + expect(mock).toBeCalledWith(expect.anything()); +}); +``` + +### `expect.any(constructor)` + +`expect.any(constructor)` matches anything that was created with the given constructor or if it's a primitive that is of the passed type. You can use it inside `toEqual` or `toBeCalledWith` instead of a literal value. For example, if you want to check that a mock function is called with a number: + +```js +class Cat {} +function getCat(fn) { + return fn(new Cat()); +} + +test('randocall calls its callback with a class instance', () => { + const mock = jest.fn(); + getCat(mock); + expect(mock).toBeCalledWith(expect.any(Cat)); +}); + +function randocall(fn) { + return fn(Math.floor(Math.random() * 6 + 1)); +} + +test('randocall calls its callback with a number', () => { + const mock = jest.fn(); + randocall(mock); + expect(mock).toBeCalledWith(expect.any(Number)); +}); +``` + +### `expect.arrayContaining(array)` + +`expect.arrayContaining(array)` matches a received array which contains all of the elements in the expected array. That is, the expected array is a **subset** of the received array. Therefore, it matches a received array which contains elements that are **not** in the expected array. + +You can use it instead of a literal value: + +- in `toEqual` or `toBeCalledWith` +- to match a property in `objectContaining` or `toMatchObject` + +```js +describe('arrayContaining', () => { + const expected = ['Alice', 'Bob']; + it('matches even if received contains additional elements', () => { + expect(['Alice', 'Bob', 'Eve']).toEqual(expect.arrayContaining(expected)); + }); + it('does not match if received does not contain expected elements', () => { + expect(['Bob', 'Eve']).not.toEqual(expect.arrayContaining(expected)); + }); +}); +``` + +```js +describe('Beware of a misunderstanding! A sequence of dice rolls', () => { + const expected = [1, 2, 3, 4, 5, 6]; + it('matches even with an unexpected number 7', () => { + expect([4, 1, 6, 7, 3, 5, 2, 5, 4, 6]).toEqual( + expect.arrayContaining(expected), + ); + }); + it('does not match without an expected number 2', () => { + expect([4, 1, 6, 7, 3, 5, 7, 5, 4, 6]).not.toEqual( + expect.arrayContaining(expected), + ); + }); +}); +``` + +### `expect.assertions(number)` + +`expect.assertions(number)` verifies that a certain number of assertions are called during a test. This is often useful when testing asynchronous code, in order to make sure that assertions in a callback actually got called. + +For example, let's say that we have a function `doAsync` that receives two callbacks `callback1` and `callback2`, it will asynchronously call both of them in an unknown order. We can test this with: + +```js +test('doAsync calls both callbacks', () => { + expect.assertions(2); + function callback1(data) { + expect(data).toBeTruthy(); + } + function callback2(data) { + expect(data).toBeTruthy(); + } + + doAsync(callback1, callback2); +}); +``` + +The `expect.assertions(2)` call ensures that both callbacks actually get called. + +### `expect.closeTo(number, numDigits?)` + +`expect.closeTo(number, numDigits?)` is useful when comparing floating point numbers in object properties or array item. If you need to compare a number, please use `.toBeCloseTo` instead. + +The optional `numDigits` argument limits the number of digits to check **after** the decimal point. For the default value `2`, the test criterion is `Math.abs(expected - received) < 0.005 (that is, 10 ** -2 / 2)`. + +For example, this test passes with a precision of 5 digits: + +```js +test('compare float in object properties', () => { + expect({ + title: '0.1 + 0.2', + sum: 0.1 + 0.2, + }).toEqual({ + title: '0.1 + 0.2', + sum: expect.closeTo(0.3, 5), + }); +}); +``` + +### `expect.hasAssertions()` + +`expect.hasAssertions()` verifies that at least one assertion is called during a test. This is often useful when testing asynchronous code, in order to make sure that assertions in a callback actually got called. + +For example, let's say that we have a few functions that all deal with state. `prepareState` calls a callback with a state object, `validateState` runs on that state object, and `waitOnState` returns a promise that waits until all `prepareState` callbacks complete. We can test this with: + +```js +test('prepareState prepares a valid state', () => { + expect.hasAssertions(); + prepareState(state => { + expect(validateState(state)).toBeTruthy(); + }); + return waitOnState(); +}); +``` + +The `expect.hasAssertions()` call ensures that the `prepareState` callback actually gets called. + +### `expect.not.arrayContaining(array)` + +`expect.not.arrayContaining(array)` matches a received array which does not contain all of the elements in the expected array. That is, the expected array **is not a subset** of the received array. + +It is the inverse of `expect.arrayContaining`. + +```js +describe('not.arrayContaining', () => { + const expected = ['Samantha']; + + it('matches if the actual array does not contain the expected elements', () => { + expect(['Alice', 'Bob', 'Eve']).toEqual( + expect.not.arrayContaining(expected), + ); + }); +}); +``` + +### `expect.not.objectContaining(object)` + +`expect.not.objectContaining(object)` matches any received object that does not recursively match the expected properties. That is, the expected object **is not a subset** of the received object. Therefore, it matches a received object which contains properties that are **not** in the expected object. + +It is the inverse of `expect.objectContaining`. + +```js +describe('not.objectContaining', () => { + const expected = {foo: 'bar'}; + + it('matches if the actual object does not contain expected key: value pairs', () => { + expect({bar: 'baz'}).toEqual(expect.not.objectContaining(expected)); + }); +}); +``` + +### `expect.not.stringContaining(string)` + +`expect.not.stringContaining(string)` matches the received value if it is not a string or if it is a string that does not contain the exact expected string. + +It is the inverse of `expect.stringContaining`. + +```js +describe('not.stringContaining', () => { + const expected = 'Hello world!'; + + it('matches if the received value does not contain the expected substring', () => { + expect('How are you?').toEqual(expect.not.stringContaining(expected)); + }); +}); +``` + +### `expect.not.stringMatching(string | regexp)` + +`expect.not.stringMatching(string | regexp)` matches the received value if it is not a string or if it is a string that does not match the expected string or regular expression. + +It is the inverse of `expect.stringMatching`. + +```js +describe('not.stringMatching', () => { + const expected = /Hello world!/; + + it('matches if the received value does not match the expected regex', () => { + expect('How are you?').toEqual(expect.not.stringMatching(expected)); + }); +}); +``` + +### `expect.objectContaining(object)` + +`expect.objectContaining(object)` matches any received object that recursively matches the expected properties. That is, the expected object is a **subset** of the received object. Therefore, it matches a received object which contains properties that **are present** in the expected object. + +Instead of literal property values in the expected object, you can use matchers, `expect.anything()`, and so on. + +For example, let's say that we expect an `onPress` function to be called with an `Event` object, and all we need to verify is that the event has `event.x` and `event.y` properties. We can do that with: + +```js +test('onPress gets called with the right thing', () => { + const onPress = jest.fn(); + simulatePresses(onPress); + expect(onPress).toBeCalledWith( + expect.objectContaining({ + x: expect.any(Number), + y: expect.any(Number), + }), + ); +}); +``` + +### `expect.stringContaining(string)` + +`expect.stringContaining(string)` matches the received value if it is a string that contains the exact expected string. + +### `expect.stringMatching(string | regexp)` + +`expect.stringMatching(string | regexp)` matches the received value if it is a string that matches the expected string or regular expression. + +You can use it instead of a literal value: + +- in `toEqual` or `toBeCalledWith` +- to match an element in `arrayContaining` +- to match a property in `objectContaining` or `toMatchObject` + +This example also shows how you can nest multiple asymmetric matchers, with `expect.stringMatching` inside the `expect.arrayContaining`. + +```js +describe('stringMatching in arrayContaining', () => { + const expected = [ + expect.stringMatching(/^Alic/), + expect.stringMatching(/^[BR]ob/), + ]; + it('matches even if received contains additional elements', () => { + expect(['Alicia', 'Roberto', 'Evelina']).toEqual( + expect.arrayContaining(expected), + ); + }); + it('does not match if received does not contain expected elements', () => { + expect(['Roberto', 'Evelina']).not.toEqual( + expect.arrayContaining(expected), + ); + }); +}); +``` + +### `expect.addSnapshotSerializer(serializer)` + +You can call `expect.addSnapshotSerializer` to add a module that formats application-specific data structures. + +For an individual test file, an added module precedes any modules from `snapshotSerializers` configuration, which precede the default snapshot serializers for built-in JavaScript types and for React elements. The last module added is the first module tested. + +```js +import serializer from 'my-serializer-module'; +expect.addSnapshotSerializer(serializer); + +// affects expect(value).toMatchSnapshot() assertions in the test file +``` + +If you add a snapshot serializer in individual test files instead of adding it to `snapshotSerializers` configuration: + +- You make the dependency explicit instead of implicit. +- You avoid limits to configuration that might cause you to eject from [create-react-app](https://github.com/facebookincubator/create-react-app). + +See [configuring Jest](Configuration.md#snapshotserializers-arraystring) for more information. + +### `.not` + +If you know how to test something, `.not` lets you test its opposite. For example, this code tests that the best La Croix flavor is not coconut: + +```js +test('the best flavor is not coconut', () => { + expect(bestLaCroixFlavor()).not.toBe('coconut'); +}); +``` + +### `.resolves` + +Use `resolves` to unwrap the value of a fulfilled promise so any other matcher can be chained. If the promise is rejected the assertion fails. + +For example, this code tests that the promise resolves and that the resulting value is `'lemon'`: + +```js +test('resolves to lemon', () => { + // make sure to add a return statement + return expect(Promise.resolve('lemon')).resolves.toBe('lemon'); +}); +``` + +Note that, since you are still testing promises, the test is still asynchronous. Hence, you will need to [tell Jest to wait](TestingAsyncCode.md#promises) by returning the unwrapped assertion. + +Alternatively, you can use `async/await` in combination with `.resolves`: + +```js +test('resolves to lemon', async () => { + await expect(Promise.resolve('lemon')).resolves.toBe('lemon'); + await expect(Promise.resolve('lemon')).resolves.not.toBe('octopus'); +}); +``` + +### `.rejects` + +Use `.rejects` to unwrap the reason of a rejected promise so any other matcher can be chained. If the promise is fulfilled the assertion fails. + +For example, this code tests that the promise rejects with reason `'octopus'`: + +```js +test('rejects to octopus', () => { + // make sure to add a return statement + return expect(Promise.reject(new Error('octopus'))).rejects.toThrow( + 'octopus', + ); +}); +``` + +Note that, since you are still testing promises, the test is still asynchronous. Hence, you will need to [tell Jest to wait](TestingAsyncCode.md#promises) by returning the unwrapped assertion. + +Alternatively, you can use `async/await` in combination with `.rejects`. + +```js +test('rejects to octopus', async () => { + await expect(Promise.reject(new Error('octopus'))).rejects.toThrow('octopus'); +}); +``` + +### `.toBe(value)` + +Use `.toBe` to compare primitive values or to check referential identity of object instances. It calls `Object.is` to compare values, which is even better for testing than `===` strict equality operator. + +For example, this code will validate some properties of the `can` object: + +```js +const can = { + name: 'pamplemousse', + ounces: 12, +}; + +describe('the can', () => { + test('has 12 ounces', () => { + expect(can.ounces).toBe(12); + }); + + test('has a sophisticated name', () => { + expect(can.name).toBe('pamplemousse'); + }); +}); +``` + +Don't use `.toBe` with floating-point numbers. For example, due to rounding, in JavaScript `0.2 + 0.1` is not strictly equal to `0.3`. If you have floating point numbers, try `.toBeCloseTo` instead. + +Although the `.toBe` matcher **checks** referential identity, it **reports** a deep comparison of values if the assertion fails. If differences between properties do not help you to understand why a test fails, especially if the report is large, then you might move the comparison into the `expect` function. For example, to assert whether or not elements are the same instance: + +- rewrite `expect(received).toBe(expected)` as `expect(Object.is(received, expected)).toBe(true)` +- rewrite `expect(received).not.toBe(expected)` as `expect(Object.is(received, expected)).toBe(false)` + +### `.toHaveBeenCalled()` + +Also under the alias: `.toBeCalled()` + +Use `.toHaveBeenCalled` to ensure that a mock function got called. + +For example, let's say you have a `drinkAll(drink, flavour)` function that takes a `drink` function and applies it to all available beverages. You might want to check that `drink` gets called for `'lemon'`, but not for `'octopus'`, because `'octopus'` flavour is really weird and why would anything be octopus-flavoured? You can do that with this test suite: + +```js +function drinkAll(callback, flavour) { + if (flavour !== 'octopus') { + callback(flavour); + } +} + +describe('drinkAll', () => { + test('drinks something lemon-flavoured', () => { + const drink = jest.fn(); + drinkAll(drink, 'lemon'); + expect(drink).toHaveBeenCalled(); + }); + + test('does not drink something octopus-flavoured', () => { + const drink = jest.fn(); + drinkAll(drink, 'octopus'); + expect(drink).not.toHaveBeenCalled(); + }); +}); +``` + +### `.toHaveBeenCalledTimes(number)` + +Also under the alias: `.toBeCalledTimes(number)` + +Use `.toHaveBeenCalledTimes` to ensure that a mock function got called exact number of times. + +For example, let's say you have a `drinkEach(drink, Array)` function that takes a `drink` function and applies it to array of passed beverages. You might want to check that drink function was called exact number of times. You can do that with this test suite: + +```js +test('drinkEach drinks each drink', () => { + const drink = jest.fn(); + drinkEach(drink, ['lemon', 'octopus']); + expect(drink).toHaveBeenCalledTimes(2); +}); +``` + +### `.toHaveBeenCalledWith(arg1, arg2, ...)` + +Also under the alias: `.toBeCalledWith()` + +Use `.toHaveBeenCalledWith` to ensure that a mock function was called with specific arguments. + +For example, let's say that you can register a beverage with a `register` function, and `applyToAll(f)` should apply the function `f` to all registered beverages. To make sure this works, you could write: + +```js +test('registration applies correctly to orange La Croix', () => { + const beverage = new LaCroix('orange'); + register(beverage); + const f = jest.fn(); + applyToAll(f); + expect(f).toHaveBeenCalledWith(beverage); +}); +``` + +### `.toHaveBeenLastCalledWith(arg1, arg2, ...)` + +Also under the alias: `.lastCalledWith(arg1, arg2, ...)` + +If you have a mock function, you can use `.toHaveBeenLastCalledWith` to test what arguments it was last called with. For example, let's say you have a `applyToAllFlavors(f)` function that applies `f` to a bunch of flavors, and you want to ensure that when you call it, the last flavor it operates on is `'mango'`. You can write: + +```js +test('applying to all flavors does mango last', () => { + const drink = jest.fn(); + applyToAllFlavors(drink); + expect(drink).toHaveBeenLastCalledWith('mango'); +}); +``` + +### `.toHaveBeenNthCalledWith(nthCall, arg1, arg2, ....)` + +Also under the alias: `.nthCalledWith(nthCall, arg1, arg2, ...)` + +If you have a mock function, you can use `.toHaveBeenNthCalledWith` to test what arguments it was nth called with. For example, let's say you have a `drinkEach(drink, Array)` function that applies `f` to a bunch of flavors, and you want to ensure that when you call it, the first flavor it operates on is `'lemon'` and the second one is `'octopus'`. You can write: + +```js +test('drinkEach drinks each drink', () => { + const drink = jest.fn(); + drinkEach(drink, ['lemon', 'octopus']); + expect(drink).toHaveBeenNthCalledWith(1, 'lemon'); + expect(drink).toHaveBeenNthCalledWith(2, 'octopus'); +}); +``` + +Note: the nth argument must be positive integer starting from 1. + +### `.toHaveReturned()` + +Also under the alias: `.toReturn()` + +If you have a mock function, you can use `.toHaveReturned` to test that the mock function successfully returned (i.e., did not throw an error) at least one time. For example, let's say you have a mock `drink` that returns `true`. You can write: + +```js +test('drinks returns', () => { + const drink = jest.fn(() => true); + + drink(); + + expect(drink).toHaveReturned(); +}); +``` + +### `.toHaveReturnedTimes(number)` + +Also under the alias: `.toReturnTimes(number)` + +Use `.toHaveReturnedTimes` to ensure that a mock function returned successfully (i.e., did not throw an error) an exact number of times. Any calls to the mock function that throw an error are not counted toward the number of times the function returned. + +For example, let's say you have a mock `drink` that returns `true`. You can write: + +```js +test('drink returns twice', () => { + const drink = jest.fn(() => true); + + drink(); + drink(); + + expect(drink).toHaveReturnedTimes(2); +}); +``` + +### `.toHaveReturnedWith(value)` + +Also under the alias: `.toReturnWith(value)` + +Use `.toHaveReturnedWith` to ensure that a mock function returned a specific value. + +For example, let's say you have a mock `drink` that returns the name of the beverage that was consumed. You can write: + +```js +test('drink returns La Croix', () => { + const beverage = {name: 'La Croix'}; + const drink = jest.fn(beverage => beverage.name); + + drink(beverage); + + expect(drink).toHaveReturnedWith('La Croix'); +}); +``` + +### `.toHaveLastReturnedWith(value)` + +Also under the alias: `.lastReturnedWith(value)` + +Use `.toHaveLastReturnedWith` to test the specific value that a mock function last returned. If the last call to the mock function threw an error, then this matcher will fail no matter what value you provided as the expected return value. + +For example, let's say you have a mock `drink` that returns the name of the beverage that was consumed. You can write: + +```js +test('drink returns La Croix (Orange) last', () => { + const beverage1 = {name: 'La Croix (Lemon)'}; + const beverage2 = {name: 'La Croix (Orange)'}; + const drink = jest.fn(beverage => beverage.name); + + drink(beverage1); + drink(beverage2); + + expect(drink).toHaveLastReturnedWith('La Croix (Orange)'); +}); +``` + +### `.toHaveNthReturnedWith(nthCall, value)` + +Also under the alias: `.nthReturnedWith(nthCall, value)` + +Use `.toHaveNthReturnedWith` to test the specific value that a mock function returned for the nth call. If the nth call to the mock function threw an error, then this matcher will fail no matter what value you provided as the expected return value. + +For example, let's say you have a mock `drink` that returns the name of the beverage that was consumed. You can write: + +```js +test('drink returns expected nth calls', () => { + const beverage1 = {name: 'La Croix (Lemon)'}; + const beverage2 = {name: 'La Croix (Orange)'}; + const drink = jest.fn(beverage => beverage.name); + + drink(beverage1); + drink(beverage2); + + expect(drink).toHaveNthReturnedWith(1, 'La Croix (Lemon)'); + expect(drink).toHaveNthReturnedWith(2, 'La Croix (Orange)'); +}); +``` + +Note: the nth argument must be positive integer starting from 1. + +### `.toHaveLength(number)` + +Use `.toHaveLength` to check that an object has a `.length` property and it is set to a certain numeric value. + +This is especially useful for checking arrays or strings size. + +```js +expect([1, 2, 3]).toHaveLength(3); +expect('abc').toHaveLength(3); +expect('').not.toHaveLength(5); +``` + +### `.toHaveProperty(keyPath, value?)` + +Use `.toHaveProperty` to check if property at provided reference `keyPath` exists for an object. For checking deeply nested properties in an object you may use [dot notation](https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Operators/Property_accessors) or an array containing the keyPath for deep references. + +You can provide an optional `value` argument to compare the received property value (recursively for all properties of object instances, also known as deep equality, like the `toEqual` matcher). + +The following example contains a `houseForSale` object with nested properties. We are using `toHaveProperty` to check for the existence and values of various properties in the object. + +```js +// Object containing house features to be tested +const houseForSale = { + bath: true, + bedrooms: 4, + kitchen: { + amenities: ['oven', 'stove', 'washer'], + area: 20, + wallColor: 'white', + 'nice.oven': true, + }, + livingroom: { + amenities: [ + { + couch: [ + ['large', {dimensions: [20, 20]}], + ['small', {dimensions: [10, 10]}], + ], + }, + ], + }, + 'ceiling.height': 2, +}; + +test('this house has my desired features', () => { + // Example Referencing + expect(houseForSale).toHaveProperty('bath'); + expect(houseForSale).toHaveProperty('bedrooms', 4); + + expect(houseForSale).not.toHaveProperty('pool'); + + // Deep referencing using dot notation + expect(houseForSale).toHaveProperty('kitchen.area', 20); + expect(houseForSale).toHaveProperty('kitchen.amenities', [ + 'oven', + 'stove', + 'washer', + ]); + + expect(houseForSale).not.toHaveProperty('kitchen.open'); + + // Deep referencing using an array containing the keyPath + expect(houseForSale).toHaveProperty(['kitchen', 'area'], 20); + expect(houseForSale).toHaveProperty( + ['kitchen', 'amenities'], + ['oven', 'stove', 'washer'], + ); + expect(houseForSale).toHaveProperty(['kitchen', 'amenities', 0], 'oven'); + expect(houseForSale).toHaveProperty( + 'livingroom.amenities[0].couch[0][1].dimensions[0]', + 20, + ); + expect(houseForSale).toHaveProperty(['kitchen', 'nice.oven']); + expect(houseForSale).not.toHaveProperty(['kitchen', 'open']); + + // Referencing keys with dot in the key itself + expect(houseForSale).toHaveProperty(['ceiling.height'], 'tall'); +}); +``` + +### `.toBeCloseTo(number, numDigits?)` + +Use `toBeCloseTo` to compare floating point numbers for approximate equality. + +The optional `numDigits` argument limits the number of digits to check **after** the decimal point. For the default value `2`, the test criterion is `Math.abs(expected - received) < 0.005` (that is, `10 ** -2 / 2`). + +Intuitive equality comparisons often fail, because arithmetic on decimal (base 10) values often have rounding errors in limited precision binary (base 2) representation. For example, this test fails: + +```js +test('adding works sanely with decimals', () => { + expect(0.2 + 0.1).toBe(0.3); // Fails! +}); +``` + +It fails because in JavaScript, `0.2 + 0.1` is actually `0.30000000000000004`. + +For example, this test passes with a precision of 5 digits: + +```js +test('adding works sanely with decimals', () => { + expect(0.2 + 0.1).toBeCloseTo(0.3, 5); +}); +``` + +Because floating point errors are the problem that `toBeCloseTo` solves, it does not support big integer values. + +### `.toBeDefined()` + +Use `.toBeDefined` to check that a variable is not undefined. For example, if you want to check that a function `fetchNewFlavorIdea()` returns _something_, you can write: + +```js +test('there is a new flavor idea', () => { + expect(fetchNewFlavorIdea()).toBeDefined(); +}); +``` + +You could write `expect(fetchNewFlavorIdea()).not.toBe(undefined)`, but it's better practice to avoid referring to `undefined` directly in your code. + +### `.toBeFalsy()` + +Use `.toBeFalsy` when you don't care what a value is and you want to ensure a value is false in a boolean context. For example, let's say you have some application code that looks like: + +```js +drinkSomeLaCroix(); +if (!getErrors()) { + drinkMoreLaCroix(); +} +``` + +You may not care what `getErrors` returns, specifically - it might return `false`, `null`, or `0`, and your code would still work. So if you want to test there are no errors after drinking some La Croix, you could write: + +```js +test('drinking La Croix does not lead to errors', () => { + drinkSomeLaCroix(); + expect(getErrors()).toBeFalsy(); +}); +``` + +In JavaScript, there are six falsy values: `false`, `0`, `''`, `null`, `undefined`, and `NaN`. Everything else is truthy. + +### `.toBeGreaterThan(number | bigint)` + +Use `toBeGreaterThan` to compare `received > expected` for number or big integer values. For example, test that `ouncesPerCan()` returns a value of more than 10 ounces: + +```js +test('ounces per can is more than 10', () => { + expect(ouncesPerCan()).toBeGreaterThan(10); +}); +``` + +### `.toBeGreaterThanOrEqual(number | bigint)` + +Use `toBeGreaterThanOrEqual` to compare `received >= expected` for number or big integer values. For example, test that `ouncesPerCan()` returns a value of at least 12 ounces: + +```js +test('ounces per can is at least 12', () => { + expect(ouncesPerCan()).toBeGreaterThanOrEqual(12); +}); +``` + +### `.toBeLessThan(number | bigint)` + +Use `toBeLessThan` to compare `received < expected` for number or big integer values. For example, test that `ouncesPerCan()` returns a value of less than 20 ounces: + +```js +test('ounces per can is less than 20', () => { + expect(ouncesPerCan()).toBeLessThan(20); +}); +``` + +### `.toBeLessThanOrEqual(number | bigint)` + +Use `toBeLessThanOrEqual` to compare `received <= expected` for number or big integer values. For example, test that `ouncesPerCan()` returns a value of at most 12 ounces: + +```js +test('ounces per can is at most 12', () => { + expect(ouncesPerCan()).toBeLessThanOrEqual(12); +}); +``` + +### `.toBeInstanceOf(Class)` + +Use `.toBeInstanceOf(Class)` to check that an object is an instance of a class. This matcher uses `instanceof` underneath. + +```js +class A {} + +expect(new A()).toBeInstanceOf(A); +expect(() => {}).toBeInstanceOf(Function); +expect(new A()).toBeInstanceOf(Function); // throws +``` + +### `.toBeNull()` + +`.toBeNull()` is the same as `.toBe(null)` but the error messages are a bit nicer. So use `.toBeNull()` when you want to check that something is null. + +```js +function bloop() { + return null; +} + +test('bloop returns null', () => { + expect(bloop()).toBeNull(); +}); +``` + +### `.toBeTruthy()` + +Use `.toBeTruthy` when you don't care what a value is and you want to ensure a value is true in a boolean context. For example, let's say you have some application code that looks like: + +```js +drinkSomeLaCroix(); +if (thirstInfo()) { + drinkMoreLaCroix(); +} +``` + +You may not care what `thirstInfo` returns, specifically - it might return `true` or a complex object, and your code would still work. So if you want to test that `thirstInfo` will be truthy after drinking some La Croix, you could write: + +```js +test('drinking La Croix leads to having thirst info', () => { + drinkSomeLaCroix(); + expect(thirstInfo()).toBeTruthy(); +}); +``` + +In JavaScript, there are six falsy values: `false`, `0`, `''`, `null`, `undefined`, and `NaN`. Everything else is truthy. + +### `.toBeUndefined()` + +Use `.toBeUndefined` to check that a variable is undefined. For example, if you want to check that a function `bestDrinkForFlavor(flavor)` returns `undefined` for the `'octopus'` flavor, because there is no good octopus-flavored drink: + +```js +test('the best drink for octopus flavor is undefined', () => { + expect(bestDrinkForFlavor('octopus')).toBeUndefined(); +}); +``` + +You could write `expect(bestDrinkForFlavor('octopus')).toBe(undefined)`, but it's better practice to avoid referring to `undefined` directly in your code. + +### `.toBeNaN()` + +Use `.toBeNaN` when checking a value is `NaN`. + +```js +test('passes when value is NaN', () => { + expect(NaN).toBeNaN(); + expect(1).not.toBeNaN(); +}); +``` + +### `.toContain(item)` + +Use `.toContain` when you want to check that an item is in an array. For testing the items in the array, this uses `===`, a strict equality check. `.toContain` can also check whether a string is a substring of another string. + +For example, if `getAllFlavors()` returns an array of flavors and you want to be sure that `lime` is in there, you can write: + +```js +test('the flavor list contains lime', () => { + expect(getAllFlavors()).toContain('lime'); +}); +``` + +### `.toContainEqual(item)` + +Use `.toContainEqual` when you want to check that an item with a specific structure and values is contained in an array. For testing the items in the array, this matcher recursively checks the equality of all fields, rather than checking for object identity. + +```js +describe('my beverage', () => { + test('is delicious and not sour', () => { + const myBeverage = {delicious: true, sour: false}; + expect(myBeverages()).toContainEqual(myBeverage); + }); +}); +``` + +### `.toEqual(value)` + +Use `.toEqual` to compare recursively all properties of object instances (also known as "deep" equality). It calls `Object.is` to compare primitive values, which is even better for testing than `===` strict equality operator. + +For example, `.toEqual` and `.toBe` behave differently in this test suite, so all the tests pass: + +```js +const can1 = { + flavor: 'grapefruit', + ounces: 12, +}; +const can2 = { + flavor: 'grapefruit', + ounces: 12, +}; + +describe('the La Croix cans on my desk', () => { + test('have all the same properties', () => { + expect(can1).toEqual(can2); + }); + test('are not the exact same can', () => { + expect(can1).not.toBe(can2); + }); +}); +``` + +> Note: `.toEqual` won't perform a _deep equality_ check for two errors. Only the `message` property of an Error is considered for equality. It is recommended to use the `.toThrow` matcher for testing against errors. + +If differences between properties do not help you to understand why a test fails, especially if the report is large, then you might move the comparison into the `expect` function. For example, use `equals` method of `Buffer` class to assert whether or not buffers contain the same content: + +- rewrite `expect(received).toEqual(expected)` as `expect(received.equals(expected)).toBe(true)` +- rewrite `expect(received).not.toEqual(expected)` as `expect(received.equals(expected)).toBe(false)` + +### `.toMatch(regexp | string)` + +Use `.toMatch` to check that a string matches a regular expression. + +For example, you might not know what exactly `essayOnTheBestFlavor()` returns, but you know it's a really long string, and the substring `grapefruit` should be in there somewhere. You can test this with: + +```js +describe('an essay on the best flavor', () => { + test('mentions grapefruit', () => { + expect(essayOnTheBestFlavor()).toMatch(/grapefruit/); + expect(essayOnTheBestFlavor()).toMatch(new RegExp('grapefruit')); + }); +}); +``` + +This matcher also accepts a string, which it will try to match: + +```js +describe('grapefruits are healthy', () => { + test('grapefruits are a fruit', () => { + expect('grapefruits').toMatch('fruit'); + }); +}); +``` + +### `.toMatchObject(object)` + +Use `.toMatchObject` to check that a JavaScript object matches a subset of the properties of an object. It will match received objects with properties that are **not** in the expected object. + +You can also pass an array of objects, in which case the method will return true only if each object in the received array matches (in the `toMatchObject` sense described above) the corresponding object in the expected array. This is useful if you want to check that two arrays match in their number of elements, as opposed to `arrayContaining`, which allows for extra elements in the received array. + +You can match properties against values or against matchers. + +```js +const houseForSale = { + bath: true, + bedrooms: 4, + kitchen: { + amenities: ['oven', 'stove', 'washer'], + area: 20, + wallColor: 'white', + }, +}; +const desiredHouse = { + bath: true, + kitchen: { + amenities: ['oven', 'stove', 'washer'], + wallColor: expect.stringMatching(/white|yellow/), + }, +}; + +test('the house has my desired features', () => { + expect(houseForSale).toMatchObject(desiredHouse); +}); +``` + +```js +describe('toMatchObject applied to arrays', () => { + test('the number of elements must match exactly', () => { + expect([{foo: 'bar'}, {baz: 1}]).toMatchObject([{foo: 'bar'}, {baz: 1}]); + }); + + test('.toMatchObject is called for each elements, so extra object properties are okay', () => { + expect([{foo: 'bar'}, {baz: 1, extra: 'quux'}]).toMatchObject([ + {foo: 'bar'}, + {baz: 1}, + ]); + }); +}); +``` + +### `.toMatchSnapshot(propertyMatchers?, hint?)` + +This ensures that a value matches the most recent snapshot. Check out [the Snapshot Testing guide](SnapshotTesting.md) for more information. + +You can provide an optional `propertyMatchers` object argument, which has asymmetric matchers as values of a subset of expected properties, **if** the received value will be an **object** instance. It is like `toMatchObject` with flexible criteria for a subset of properties, followed by a snapshot test as exact criteria for the rest of the properties. + +You can provide an optional `hint` string argument that is appended to the test name. Although Jest always appends a number at the end of a snapshot name, short descriptive hints might be more useful than numbers to differentiate **multiple** snapshots in a **single** `it` or `test` block. Jest sorts snapshots by name in the corresponding `.snap` file. + +### `.toMatchInlineSnapshot(propertyMatchers?, inlineSnapshot)` + +Ensures that a value matches the most recent snapshot. + +You can provide an optional `propertyMatchers` object argument, which has asymmetric matchers as values of a subset of expected properties, **if** the received value will be an **object** instance. It is like `toMatchObject` with flexible criteria for a subset of properties, followed by a snapshot test as exact criteria for the rest of the properties. + +Jest adds the `inlineSnapshot` string argument to the matcher in the test file (instead of an external `.snap` file) the first time that the test runs. + +Check out the section on [Inline Snapshots](SnapshotTesting.md#inline-snapshots) for more info. + +### `.toStrictEqual(value)` + +Use `.toStrictEqual` to test that objects have the same types as well as structure. + +Differences from `.toEqual`: + +- Keys with `undefined` properties are checked. e.g. `{a: undefined, b: 2}` does not match `{b: 2}` when using `.toStrictEqual`. +- Array sparseness is checked. e.g. `[, 1]` does not match `[undefined, 1]` when using `.toStrictEqual`. +- Object types are checked to be equal. e.g. A class instance with fields `a` and `b` will not equal a literal object with fields `a` and `b`. + +```js +class LaCroix { + constructor(flavor) { + this.flavor = flavor; + } +} + +describe('the La Croix cans on my desk', () => { + test('are not semantically the same', () => { + expect(new LaCroix('lemon')).toEqual({flavor: 'lemon'}); + expect(new LaCroix('lemon')).not.toStrictEqual({flavor: 'lemon'}); + }); +}); +``` + +### `.toThrow(error?)` + +Also under the alias: `.toThrowError(error?)` + +Use `.toThrow` to test that a function throws when it is called. For example, if we want to test that `drinkFlavor('octopus')` throws, because octopus flavor is too disgusting to drink, we could write: + +```js +test('throws on octopus', () => { + expect(() => { + drinkFlavor('octopus'); + }).toThrow(); +}); +``` + +> Note: You must wrap the code in a function, otherwise the error will not be caught and the assertion will fail. + +You can provide an optional argument to test that a specific error is thrown: + +- regular expression: error message **matches** the pattern +- string: error message **includes** the substring +- error object: error message is **equal to** the message property of the object +- error class: error object is **instance of** class + +For example, let's say that `drinkFlavor` is coded like this: + +```js +function drinkFlavor(flavor) { + if (flavor == 'octopus') { + throw new DisgustingFlavorError('yuck, octopus flavor'); + } + // Do some other stuff +} +``` + +We could test this error gets thrown in several ways: + +```js +test('throws on octopus', () => { + function drinkOctopus() { + drinkFlavor('octopus'); + } + + // Test that the error message says "yuck" somewhere: these are equivalent + expect(drinkOctopus).toThrowError(/yuck/); + expect(drinkOctopus).toThrowError('yuck'); + + // Test the exact error message + expect(drinkOctopus).toThrowError(/^yuck, octopus flavor$/); + expect(drinkOctopus).toThrowError(new Error('yuck, octopus flavor')); + + // Test that we get a DisgustingFlavorError + expect(drinkOctopus).toThrowError(DisgustingFlavorError); +}); +``` + +### `.toThrowErrorMatchingSnapshot(hint?)` + +Use `.toThrowErrorMatchingSnapshot` to test that a function throws an error matching the most recent snapshot when it is called. + +You can provide an optional `hint` string argument that is appended to the test name. Although Jest always appends a number at the end of a snapshot name, short descriptive hints might be more useful than numbers to differentiate **multiple** snapshots in a **single** `it` or `test` block. Jest sorts snapshots by name in the corresponding `.snap` file. + +For example, let's say you have a `drinkFlavor` function that throws whenever the flavor is `'octopus'`, and is coded like this: + +```js +function drinkFlavor(flavor) { + if (flavor == 'octopus') { + throw new DisgustingFlavorError('yuck, octopus flavor'); + } + // Do some other stuff +} +``` + +The test for this function will look this way: + +```js +test('throws on octopus', () => { + function drinkOctopus() { + drinkFlavor('octopus'); + } + + expect(drinkOctopus).toThrowErrorMatchingSnapshot(); +}); +``` + +And it will generate the following snapshot: + +```js +exports[`drinking flavors throws on octopus 1`] = `"yuck, octopus flavor"`; +``` + +Check out [React Tree Snapshot Testing](/blog/2016/07/27/jest-14) for more information on snapshot testing. + +### `.toThrowErrorMatchingInlineSnapshot(inlineSnapshot)` + +Use `.toThrowErrorMatchingInlineSnapshot` to test that a function throws an error matching the most recent snapshot when it is called. + +Jest adds the `inlineSnapshot` string argument to the matcher in the test file (instead of an external `.snap` file) the first time that the test runs. + +Check out the section on [Inline Snapshots](SnapshotTesting.md#inline-snapshots) for more info. diff --git a/website/versioned_docs/version-27.5/GettingStarted.md b/website/versioned_docs/version-27.5/GettingStarted.md new file mode 100644 index 000000000000..967ab4b06d3c --- /dev/null +++ b/website/versioned_docs/version-27.5/GettingStarted.md @@ -0,0 +1,178 @@ +--- +id: getting-started +title: Getting Started +--- + +Install Jest using [`yarn`](https://yarnpkg.com/en/package/jest): + +```bash +yarn add --dev jest +``` + +Or [`npm`](https://www.npmjs.com/package/jest): + +```bash +npm install --save-dev jest +``` + +Note: Jest documentation uses `yarn` commands, but `npm` will also work. You can compare `yarn` and `npm` commands in the [yarn docs, here](https://yarnpkg.com/en/docs/migrating-from-npm#toc-cli-commands-comparison). + +Let's get started by writing a test for a hypothetical function that adds two numbers. First, create a `sum.js` file: + +```javascript +function sum(a, b) { + return a + b; +} +module.exports = sum; +``` + +Then, create a file named `sum.test.js`. This will contain our actual test: + +```javascript +const sum = require('./sum'); + +test('adds 1 + 2 to equal 3', () => { + expect(sum(1, 2)).toBe(3); +}); +``` + +Add the following section to your `package.json`: + +```json +{ + "scripts": { + "test": "jest" + } +} +``` + +Finally, run `yarn test` or `npm run test` and Jest will print this message: + +```bash +PASS ./sum.test.js +✓ adds 1 + 2 to equal 3 (5ms) +``` + +**You just successfully wrote your first test using Jest!** + +This test used `expect` and `toBe` to test that two values were exactly identical. To learn about the other things that Jest can test, see [Using Matchers](UsingMatchers.md). + +## Running from command line + +You can run Jest directly from the CLI (if it's globally available in your `PATH`, e.g. by `yarn global add jest` or `npm install jest --global`) with a variety of useful options. + +Here's how to run Jest on files matching `my-test`, using `config.json` as a configuration file and display a native OS notification after the run: + +```bash +jest my-test --notify --config=config.json +``` + +If you'd like to learn more about running `jest` through the command line, take a look at the [Jest CLI Options](CLI.md) page. + +## Additional Configuration + +### Generate a basic configuration file + +Based on your project, Jest will ask you a few questions and will create a basic configuration file with a short description for each option: + +```bash +jest --init +``` + +### Using Babel + +To use [Babel](https://babeljs.io/), install required dependencies via `yarn`: + +```bash +yarn add --dev babel-jest @babel/core @babel/preset-env +``` + +Configure Babel to target your current version of Node by creating a `babel.config.js` file in the root of your project: + +```javascript title="babel.config.js" +module.exports = { + presets: [['@babel/preset-env', {targets: {node: 'current'}}]], +}; +``` + +_The ideal configuration for Babel will depend on your project._ See [Babel's docs](https://babeljs.io/docs/en/) for more details. + +
Making your Babel config jest-aware + +Jest will set `process.env.NODE_ENV` to `'test'` if it's not set to something else. You can use that in your configuration to conditionally setup only the compilation needed for Jest, e.g. + +```javascript title="babel.config.js" +module.exports = api => { + const isTest = api.env('test'); + // You can use isTest to determine what presets and plugins to use. + + return { + // ... + }; +}; +``` + +> Note: `babel-jest` is automatically installed when installing Jest and will automatically transform files if a babel configuration exists in your project. To avoid this behavior, you can explicitly reset the `transform` configuration option: + +```javascript title="jest.config.js" +module.exports = { + transform: {}, +}; +``` + +
+ +
Babel 6 support + +Jest 24 dropped support for Babel 6. We highly recommend you to upgrade to Babel 7, which is actively maintained. However, if you cannot upgrade to Babel 7, either keep using Jest 23 or upgrade to Jest 24 with `babel-jest` locked at version 23, like in the example below: + +``` +"dependencies": { + "babel-core": "^6.26.3", + "babel-jest": "^23.6.0", + "babel-preset-env": "^1.7.0", + "jest": "^24.0.0" +} +``` + +While we generally recommend using the same version of every Jest package, this workaround will allow you to continue using the latest version of Jest with Babel 6 for now. + +
+ +### Using webpack + +Jest can be used in projects that use [webpack](https://webpack.js.org/) to manage assets, styles, and compilation. webpack does offer some unique challenges over other tools. Refer to the [webpack guide](Webpack.md) to get started. + +### Using parcel + +Jest can be used in projects that use [parcel-bundler](https://parceljs.org/) to manage assets, styles, and compilation similar to webpack. Parcel requires zero configuration. Refer to the official [docs](https://parceljs.org/docs/) to get started. + +### Using TypeScript + +Jest supports TypeScript, via Babel. First, make sure you followed the instructions on [using Babel](#using-babel) above. Next, install the `@babel/preset-typescript` via `yarn`: + +```bash +yarn add --dev @babel/preset-typescript +``` + +Then add `@babel/preset-typescript` to the list of presets in your `babel.config.js`. + +```javascript title="babel.config.js" +module.exports = { + presets: [ + ['@babel/preset-env', {targets: {node: 'current'}}], + // highlight-next-line + '@babel/preset-typescript', + ], +}; +``` + +However, there are some [caveats](https://babeljs.io/docs/en/babel-plugin-transform-typescript#caveats) to using TypeScript with Babel. Because TypeScript support in Babel is purely transpilation, Jest will not type-check your tests as they are run. If you want that, you can use [ts-jest](https://github.com/kulshekhar/ts-jest) instead, or just run the TypeScript compiler [tsc](https://www.typescriptlang.org/docs/handbook/compiler-options.html) separately (or as part of your build process). + +You may also want to install the [`@types/jest`](https://www.npmjs.com/package/@types/jest) module for the version of Jest you're using. This will help provide full typing when writing your tests with TypeScript. + +> For `@types/*` modules it's recommended to try to match the version of the associated module. For example, if you are using `26.4.0` of `jest` then using `26.4.x` of `@types/jest` is ideal. In general, try to match the major (`26`) and minor (`4`) version as closely as possible. + +```bash +yarn add --dev @types/jest +``` diff --git a/website/versioned_docs/version-27.5/GlobalAPI.md b/website/versioned_docs/version-27.5/GlobalAPI.md new file mode 100644 index 000000000000..775efe6125fa --- /dev/null +++ b/website/versioned_docs/version-27.5/GlobalAPI.md @@ -0,0 +1,880 @@ +--- +id: api +title: Globals +--- + +In your test files, Jest puts each of these methods and objects into the global environment. You don't have to require or import anything to use them. However, if you prefer explicit imports, you can do `import {describe, expect, test} from '@jest/globals'`. + +## Methods + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Reference + +### `afterAll(fn, timeout)` + +Runs a function after all the tests in this file have completed. If the function returns a promise or is a generator, Jest waits for that promise to resolve before continuing. + +Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +This is often useful if you want to clean up some global setup state that is shared across tests. + +For example: + +```js +const globalDatabase = makeGlobalDatabase(); + +function cleanUpDatabase(db) { + db.cleanUp(); +} + +afterAll(() => { + cleanUpDatabase(globalDatabase); +}); + +test('can find things', () => { + return globalDatabase.find('thing', {}, results => { + expect(results.length).toBeGreaterThan(0); + }); +}); + +test('can insert a thing', () => { + return globalDatabase.insert('thing', makeThing(), response => { + expect(response.success).toBeTruthy(); + }); +}); +``` + +Here the `afterAll` ensures that `cleanUpDatabase` is called after all tests run. + +If `afterAll` is inside a `describe` block, it runs at the end of the describe block. + +If you want to run some cleanup after every test instead of after all tests, use `afterEach` instead. + +### `afterEach(fn, timeout)` + +Runs a function after each one of the tests in this file completes. If the function returns a promise or is a generator, Jest waits for that promise to resolve before continuing. + +Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +This is often useful if you want to clean up some temporary state that is created by each test. + +For example: + +```js +const globalDatabase = makeGlobalDatabase(); + +function cleanUpDatabase(db) { + db.cleanUp(); +} + +afterEach(() => { + cleanUpDatabase(globalDatabase); +}); + +test('can find things', () => { + return globalDatabase.find('thing', {}, results => { + expect(results.length).toBeGreaterThan(0); + }); +}); + +test('can insert a thing', () => { + return globalDatabase.insert('thing', makeThing(), response => { + expect(response.success).toBeTruthy(); + }); +}); +``` + +Here the `afterEach` ensures that `cleanUpDatabase` is called after each test runs. + +If `afterEach` is inside a `describe` block, it only runs after the tests that are inside this describe block. + +If you want to run some cleanup just once, after all of the tests run, use `afterAll` instead. + +### `beforeAll(fn, timeout)` + +Runs a function before any of the tests in this file run. If the function returns a promise or is a generator, Jest waits for that promise to resolve before running tests. + +Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +This is often useful if you want to set up some global state that will be used by many tests. + +For example: + +```js +const globalDatabase = makeGlobalDatabase(); + +beforeAll(() => { + // Clears the database and adds some testing data. + // Jest will wait for this promise to resolve before running tests. + return globalDatabase.clear().then(() => { + return globalDatabase.insert({testData: 'foo'}); + }); +}); + +// Since we only set up the database once in this example, it's important +// that our tests don't modify it. +test('can find things', () => { + return globalDatabase.find('thing', {}, results => { + expect(results.length).toBeGreaterThan(0); + }); +}); +``` + +Here the `beforeAll` ensures that the database is set up before tests run. If setup was synchronous, you could do this without `beforeAll`. The key is that Jest will wait for a promise to resolve, so you can have asynchronous setup as well. + +If `beforeAll` is inside a `describe` block, it runs at the beginning of the describe block. + +If you want to run something before every test instead of before any test runs, use `beforeEach` instead. + +### `beforeEach(fn, timeout)` + +Runs a function before each of the tests in this file runs. If the function returns a promise or is a generator, Jest waits for that promise to resolve before running the test. + +Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +This is often useful if you want to reset some global state that will be used by many tests. + +For example: + +```js +const globalDatabase = makeGlobalDatabase(); + +beforeEach(() => { + // Clears the database and adds some testing data. + // Jest will wait for this promise to resolve before running tests. + return globalDatabase.clear().then(() => { + return globalDatabase.insert({testData: 'foo'}); + }); +}); + +test('can find things', () => { + return globalDatabase.find('thing', {}, results => { + expect(results.length).toBeGreaterThan(0); + }); +}); + +test('can insert a thing', () => { + return globalDatabase.insert('thing', makeThing(), response => { + expect(response.success).toBeTruthy(); + }); +}); +``` + +Here the `beforeEach` ensures that the database is reset for each test. + +If `beforeEach` is inside a `describe` block, it runs for each test in the describe block. + +If you only need to run some setup code once, before any tests run, use `beforeAll` instead. + +### `describe(name, fn)` + +`describe(name, fn)` creates a block that groups together several related tests. For example, if you have a `myBeverage` object that is supposed to be delicious but not sour, you could test it with: + +```js +const myBeverage = { + delicious: true, + sour: false, +}; + +describe('my beverage', () => { + test('is delicious', () => { + expect(myBeverage.delicious).toBeTruthy(); + }); + + test('is not sour', () => { + expect(myBeverage.sour).toBeFalsy(); + }); +}); +``` + +This isn't required - you can write the `test` blocks directly at the top level. But this can be handy if you prefer your tests to be organized into groups. + +You can also nest `describe` blocks if you have a hierarchy of tests: + +```js +const binaryStringToNumber = binString => { + if (!/^[01]+$/.test(binString)) { + throw new CustomError('Not a binary number.'); + } + + return parseInt(binString, 2); +}; + +describe('binaryStringToNumber', () => { + describe('given an invalid binary string', () => { + test('composed of non-numbers throws CustomError', () => { + expect(() => binaryStringToNumber('abc')).toThrowError(CustomError); + }); + + test('with extra whitespace throws CustomError', () => { + expect(() => binaryStringToNumber(' 100')).toThrowError(CustomError); + }); + }); + + describe('given a valid binary string', () => { + test('returns the correct number', () => { + expect(binaryStringToNumber('100')).toBe(4); + }); + }); +}); +``` + +### `describe.each(table)(name, fn, timeout)` + +Use `describe.each` if you keep duplicating the same test suites with different data. `describe.each` allows you to write the test suite once and pass data in. + +`describe.each` is available with two APIs: + +#### 1. `describe.each(table)(name, fn, timeout)` + +- `table`: `Array` of Arrays with the arguments that are passed into the `fn` for each row. + - _Note_ If you pass in a 1D array of primitives, internally it will be mapped to a table i.e. `[1, 2, 3] -> [[1], [2], [3]]` +- `name`: `String` the title of the test suite. + - Generate unique test titles by positionally injecting parameters with [`printf` formatting](https://nodejs.org/api/util.html#util_util_format_format_args): + - `%p` - [pretty-format](https://www.npmjs.com/package/pretty-format). + - `%s`- String. + - `%d`- Number. + - `%i` - Integer. + - `%f` - Floating point value. + - `%j` - JSON. + - `%o` - Object. + - `%#` - Index of the test case. + - `%%` - single percent sign ('%'). This does not consume an argument. + - Or generate unique test titles by injecting properties of test case object with `$variable` + - To inject nested object values use you can supply a keyPath i.e. `$variable.path.to.value` + - You can use `$#` to inject the index of the test case + - You cannot use `$variable` with the `printf` formatting except for `%%` +- `fn`: `Function` the suite of tests to be ran, this is the function that will receive the parameters in each row as function arguments. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +describe.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + test(`returns ${expected}`, () => { + expect(a + b).toBe(expected); + }); + + test(`returned value not be greater than ${expected}`, () => { + expect(a + b).not.toBeGreaterThan(expected); + }); + + test(`returned value not be less than ${expected}`, () => { + expect(a + b).not.toBeLessThan(expected); + }); +}); +``` + +```js +describe.each([ + {a: 1, b: 1, expected: 2}, + {a: 1, b: 2, expected: 3}, + {a: 2, b: 1, expected: 3}, +])('.add($a, $b)', ({a, b, expected}) => { + test(`returns ${expected}`, () => { + expect(a + b).toBe(expected); + }); + + test(`returned value not be greater than ${expected}`, () => { + expect(a + b).not.toBeGreaterThan(expected); + }); + + test(`returned value not be less than ${expected}`, () => { + expect(a + b).not.toBeLessThan(expected); + }); +}); +``` + +#### 2. `` describe.each`table`(name, fn, timeout) `` + +- `table`: `Tagged Template Literal` + - First row of variable name column headings separated with `|` + - One or more subsequent rows of data supplied as template literal expressions using `${value}` syntax. +- `name`: `String` the title of the test suite, use `$variable` to inject test data into the suite title from the tagged template expressions, and `$#` for the index of the row. + - To inject nested object values use you can supply a keyPath i.e. `$variable.path.to.value` +- `fn`: `Function` the suite of tests to be ran, this is the function that will receive the test data object. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +describe.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('$a + $b', ({a, b, expected}) => { + test(`returns ${expected}`, () => { + expect(a + b).toBe(expected); + }); + + test(`returned value not be greater than ${expected}`, () => { + expect(a + b).not.toBeGreaterThan(expected); + }); + + test(`returned value not be less than ${expected}`, () => { + expect(a + b).not.toBeLessThan(expected); + }); +}); +``` + +### `describe.only(name, fn)` + +Also under the alias: `fdescribe(name, fn)` + +You can use `describe.only` if you want to run only one describe block: + +```js +describe.only('my beverage', () => { + test('is delicious', () => { + expect(myBeverage.delicious).toBeTruthy(); + }); + + test('is not sour', () => { + expect(myBeverage.sour).toBeFalsy(); + }); +}); + +describe('my other beverage', () => { + // ... will be skipped +}); +``` + +### `describe.only.each(table)(name, fn)` + +Also under the aliases: `fdescribe.each(table)(name, fn)` and `` fdescribe.each`table`(name, fn) `` + +Use `describe.only.each` if you want to only run specific tests suites of data driven tests. + +`describe.only.each` is available with two APIs: + +#### `describe.only.each(table)(name, fn)` + +```js +describe.only.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + test(`returns ${expected}`, () => { + expect(a + b).toBe(expected); + }); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` describe.only.each`table`(name, fn) `` + +```js +describe.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', ({a, b, expected}) => { + test('passes', () => { + expect(a + b).toBe(expected); + }); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `describe.skip(name, fn)` + +Also under the alias: `xdescribe(name, fn)` + +You can use `describe.skip` if you do not want to run a particular describe block: + +```js +describe('my beverage', () => { + test('is delicious', () => { + expect(myBeverage.delicious).toBeTruthy(); + }); + + test('is not sour', () => { + expect(myBeverage.sour).toBeFalsy(); + }); +}); + +describe.skip('my other beverage', () => { + // ... will be skipped +}); +``` + +Using `describe.skip` is often a cleaner alternative to temporarily commenting out a chunk of tests. + +### `describe.skip.each(table)(name, fn)` + +Also under the aliases: `xdescribe.each(table)(name, fn)` and `` xdescribe.each`table`(name, fn) `` + +Use `describe.skip.each` if you want to stop running a suite of data driven tests. + +`describe.skip.each` is available with two APIs: + +#### `describe.skip.each(table)(name, fn)` + +```js +describe.skip.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + test(`returns ${expected}`, () => { + expect(a + b).toBe(expected); // will not be ran + }); +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` describe.skip.each`table`(name, fn) `` + +```js +describe.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', ({a, b, expected}) => { + test('will not be ran', () => { + expect(a + b).toBe(expected); // will not be ran + }); +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `test(name, fn, timeout)` + +Also under the alias: `it(name, fn, timeout)` + +All you need in a test file is the `test` method which runs a test. For example, let's say there's a function `inchesOfRain()` that should be zero. Your whole test could be: + +```js +test('did not rain', () => { + expect(inchesOfRain()).toBe(0); +}); +``` + +The first argument is the test name; the second argument is a function that contains the expectations to test. The third argument (optional) is `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +> Note: If a **promise is returned** from `test`, Jest will wait for the promise to resolve before letting the test complete. Jest will also wait if you **provide an argument to the test function**, usually called `done`. This could be handy when you want to test callbacks. See how to test async code [here](TestingAsyncCode.md#callbacks). + +For example, let's say `fetchBeverageList()` returns a promise that is supposed to resolve to a list that has `lemon` in it. You can test this with: + +```js +test('has lemon in it', () => { + return fetchBeverageList().then(list => { + expect(list).toContain('lemon'); + }); +}); +``` + +Even though the call to `test` will return right away, the test doesn't complete until the promise resolves as well. + +### `test.concurrent(name, fn, timeout)` + +Also under the alias: `it.concurrent(name, fn, timeout)` + +Use `test.concurrent` if you want the test to run concurrently. + +> Note: `test.concurrent` is considered experimental - see [here](https://github.com/facebook/jest/labels/Area%3A%20Concurrent) for details on missing features and other issues + +The first argument is the test name; the second argument is an asynchronous function that contains the expectations to test. The third argument (optional) is `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +``` +test.concurrent('addition of 2 numbers', async () => { + expect(5 + 3).toBe(8); +}); + +test.concurrent('subtraction 2 numbers', async () => { + expect(5 - 3).toBe(2); +}); +``` + +> Note: Use `maxConcurrency` in configuration to prevents Jest from executing more than the specified amount of tests at the same time + +### `test.concurrent.each(table)(name, fn, timeout)` + +Also under the alias: `it.concurrent.each(table)(name, fn, timeout)` + +Use `test.concurrent.each` if you keep duplicating the same test with different data. `test.each` allows you to write the test once and pass data in, the tests are all run asynchronously. + +`test.concurrent.each` is available with two APIs: + +#### 1. `test.concurrent.each(table)(name, fn, timeout)` + +- `table`: `Array` of Arrays with the arguments that are passed into the test `fn` for each row. + - _Note_ If you pass in a 1D array of primitives, internally it will be mapped to a table i.e. `[1, 2, 3] -> [[1], [2], [3]]` +- `name`: `String` the title of the test block. + - Generate unique test titles by positionally injecting parameters with [`printf` formatting](https://nodejs.org/api/util.html#util_util_format_format_args): + - `%p` - [pretty-format](https://www.npmjs.com/package/pretty-format). + - `%s`- String. + - `%d`- Number. + - `%i` - Integer. + - `%f` - Floating point value. + - `%j` - JSON. + - `%o` - Object. + - `%#` - Index of the test case. + - `%%` - single percent sign ('%'). This does not consume an argument. +- `fn`: `Function` the test to be ran, this is the function that will receive the parameters in each row as function arguments, **this will have to be an asynchronous function**. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +test.concurrent.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', async (a, b, expected) => { + expect(a + b).toBe(expected); +}); +``` + +#### 2. `` test.concurrent.each`table`(name, fn, timeout) `` + +- `table`: `Tagged Template Literal` + - First row of variable name column headings separated with `|` + - One or more subsequent rows of data supplied as template literal expressions using `${value}` syntax. +- `name`: `String` the title of the test, use `$variable` to inject test data into the test title from the tagged template expressions. + - To inject nested object values use you can supply a keyPath i.e. `$variable.path.to.value` +- `fn`: `Function` the test to be ran, this is the function that will receive the test data object, **this will have to be an asynchronous function**. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +test.concurrent.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', async ({a, b, expected}) => { + expect(a + b).toBe(expected); +}); +``` + +### `test.concurrent.only.each(table)(name, fn)` + +Also under the alias: `it.concurrent.only.each(table)(name, fn)` + +Use `test.concurrent.only.each` if you want to only run specific tests with different test data concurrently. + +`test.concurrent.only.each` is available with two APIs: + +#### `test.concurrent.only.each(table)(name, fn)` + +```js +test.concurrent.only.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', async (a, b, expected) => { + expect(a + b).toBe(expected); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` test.only.each`table`(name, fn) `` + +```js +test.concurrent.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', async ({a, b, expected}) => { + expect(a + b).toBe(expected); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `test.concurrent.skip.each(table)(name, fn)` + +Also under the alias: `it.concurrent.skip.each(table)(name, fn)` + +Use `test.concurrent.skip.each` if you want to stop running a collection of asynchronous data driven tests. + +`test.concurrent.skip.each` is available with two APIs: + +#### `test.concurrent.skip.each(table)(name, fn)` + +```js +test.concurrent.skip.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', async (a, b, expected) => { + expect(a + b).toBe(expected); // will not be ran +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` test.concurrent.skip.each`table`(name, fn) `` + +```js +test.concurrent.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', async ({a, b, expected}) => { + expect(a + b).toBe(expected); // will not be ran +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `test.each(table)(name, fn, timeout)` + +Also under the alias: `it.each(table)(name, fn)` and `` it.each`table`(name, fn) `` + +Use `test.each` if you keep duplicating the same test with different data. `test.each` allows you to write the test once and pass data in. + +`test.each` is available with two APIs: + +#### 1. `test.each(table)(name, fn, timeout)` + +- `table`: `Array` of Arrays with the arguments that are passed into the test `fn` for each row. + - _Note_ If you pass in a 1D array of primitives, internally it will be mapped to a table i.e. `[1, 2, 3] -> [[1], [2], [3]]` +- `name`: `String` the title of the test block. + - Generate unique test titles by positionally injecting parameters with [`printf` formatting](https://nodejs.org/api/util.html#util_util_format_format_args): + - `%p` - [pretty-format](https://www.npmjs.com/package/pretty-format). + - `%s`- String. + - `%d`- Number. + - `%i` - Integer. + - `%f` - Floating point value. + - `%j` - JSON. + - `%o` - Object. + - `%#` - Index of the test case. + - `%%` - single percent sign ('%'). This does not consume an argument. + - Or generate unique test titles by injecting properties of test case object with `$variable` + - To inject nested object values use you can supply a keyPath i.e. `$variable.path.to.value` + - You can use `$#` to inject the index of the test case + - You cannot use `$variable` with the `printf` formatting except for `%%` +- `fn`: `Function` the test to be ran, this is the function that will receive the parameters in each row as function arguments. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +test.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + expect(a + b).toBe(expected); +}); +``` + +```js +test.each([ + {a: 1, b: 1, expected: 2}, + {a: 1, b: 2, expected: 3}, + {a: 2, b: 1, expected: 3}, +])('.add($a, $b)', ({a, b, expected}) => { + expect(a + b).toBe(expected); +}); +``` + +#### 2. `` test.each`table`(name, fn, timeout) `` + +- `table`: `Tagged Template Literal` + - First row of variable name column headings separated with `|` + - One or more subsequent rows of data supplied as template literal expressions using `${value}` syntax. +- `name`: `String` the title of the test, use `$variable` to inject test data into the test title from the tagged template expressions. + - To inject nested object values use you can supply a keyPath i.e. `$variable.path.to.value` +- `fn`: `Function` the test to be ran, this is the function that will receive the test data object. +- Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait for each row before aborting. _Note: The default timeout is 5 seconds._ + +Example: + +```js +test.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', ({a, b, expected}) => { + expect(a + b).toBe(expected); +}); +``` + +### `test.only(name, fn, timeout)` + +Also under the aliases: `it.only(name, fn, timeout)`, and `fit(name, fn, timeout)` + +When you are debugging a large test file, you will often only want to run a subset of tests. You can use `.only` to specify which tests are the only ones you want to run in that test file. + +Optionally, you can provide a `timeout` (in milliseconds) for specifying how long to wait before aborting. _Note: The default timeout is 5 seconds._ + +For example, let's say you had these tests: + +```js +test.only('it is raining', () => { + expect(inchesOfRain()).toBeGreaterThan(0); +}); + +test('it is not snowing', () => { + expect(inchesOfSnow()).toBe(0); +}); +``` + +Only the "it is raining" test will run in that test file, since it is run with `test.only`. + +Usually you wouldn't check code using `test.only` into source control - you would use it for debugging, and remove it once you have fixed the broken tests. + +### `test.only.each(table)(name, fn)` + +Also under the aliases: `it.only.each(table)(name, fn)`, `fit.each(table)(name, fn)`, `` it.only.each`table`(name, fn) `` and `` fit.each`table`(name, fn) `` + +Use `test.only.each` if you want to only run specific tests with different test data. + +`test.only.each` is available with two APIs: + +#### `test.only.each(table)(name, fn)` + +```js +test.only.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + expect(a + b).toBe(expected); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` test.only.each`table`(name, fn) `` + +```js +test.only.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', ({a, b, expected}) => { + expect(a + b).toBe(expected); +}); + +test('will not be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `test.skip(name, fn)` + +Also under the aliases: `it.skip(name, fn)`, `xit(name, fn)`, and `xtest(name, fn)` + +When you are maintaining a large codebase, you may sometimes find a test that is temporarily broken for some reason. If you want to skip running this test, but you don't want to delete this code, you can use `test.skip` to specify some tests to skip. + +For example, let's say you had these tests: + +```js +test('it is raining', () => { + expect(inchesOfRain()).toBeGreaterThan(0); +}); + +test.skip('it is not snowing', () => { + expect(inchesOfSnow()).toBe(0); +}); +``` + +Only the "it is raining" test will run, since the other test is run with `test.skip`. + +You could comment the test out, but it's often a bit nicer to use `test.skip` because it will maintain indentation and syntax highlighting. + +### `test.skip.each(table)(name, fn)` + +Also under the aliases: `it.skip.each(table)(name, fn)`, `xit.each(table)(name, fn)`, `xtest.each(table)(name, fn)`, `` it.skip.each`table`(name, fn) ``, `` xit.each`table`(name, fn) `` and `` xtest.each`table`(name, fn) `` + +Use `test.skip.each` if you want to stop running a collection of data driven tests. + +`test.skip.each` is available with two APIs: + +#### `test.skip.each(table)(name, fn)` + +```js +test.skip.each([ + [1, 1, 2], + [1, 2, 3], + [2, 1, 3], +])('.add(%i, %i)', (a, b, expected) => { + expect(a + b).toBe(expected); // will not be ran +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +#### `` test.skip.each`table`(name, fn) `` + +```js +test.skip.each` + a | b | expected + ${1} | ${1} | ${2} + ${1} | ${2} | ${3} + ${2} | ${1} | ${3} +`('returns $expected when $a is added $b', ({a, b, expected}) => { + expect(a + b).toBe(expected); // will not be ran +}); + +test('will be ran', () => { + expect(1 / 0).toBe(Infinity); +}); +``` + +### `test.todo(name)` + +Also under the alias: `it.todo(name)` + +Use `test.todo` when you are planning on writing tests. These tests will be highlighted in the summary output at the end so you know how many tests you still need todo. + +_Note_: If you supply a test callback function then the `test.todo` will throw an error. If you have already implemented the test and it is broken and you do not want it to run, then use `test.skip` instead. + +#### API + +- `name`: `String` the title of the test plan. + +Example: + +```js +const add = (a, b) => a + b; + +test.todo('add should be associative'); +``` diff --git a/website/versioned_docs/version-27.5/JestCommunity.md b/website/versioned_docs/version-27.5/JestCommunity.md new file mode 100644 index 000000000000..af71f2e575ae --- /dev/null +++ b/website/versioned_docs/version-27.5/JestCommunity.md @@ -0,0 +1,21 @@ +--- +title: Jest Community +id: jest-community +--- + +The community around Jest is working hard to make the testing experience even greater. + +[jest-community](https://github.com/jest-community) is a new GitHub organization for high quality Jest additions curated by Jest maintainers and collaborators. It already features some of our favorite projects, to name a few: + +- [vscode-jest](https://github.com/jest-community/vscode-jest) +- [jest-extended](https://github.com/jest-community/jest-extended) +- [eslint-plugin-jest](https://github.com/jest-community/eslint-plugin-jest) +- [awesome-jest](https://github.com/jest-community/awesome-jest) + +Community projects under one organisation are a great way for Jest to experiment with new ideas/techniques and approaches. Encourage contributions from the community and publish contributions independently at a faster pace. + +## Awesome Jest + +The jest-community org maintains an [awesome-jest](https://github.com/jest-community/awesome-jest) list of great projects and resources related to Jest. + +If you have something awesome to share, feel free to reach out to us! We'd love to share your project on the awesome-jest list ([send a PR here](https://github.com/jest-community/awesome-jest/pulls)) or if you would like to transfer your project to the jest-community org reach out to one of the owners of the org. diff --git a/website/versioned_docs/version-27.5/JestObjectAPI.md b/website/versioned_docs/version-27.5/JestObjectAPI.md new file mode 100644 index 000000000000..16ca6cdcd6f5 --- /dev/null +++ b/website/versioned_docs/version-27.5/JestObjectAPI.md @@ -0,0 +1,730 @@ +--- +id: jest-object +title: The Jest Object +--- + +The `jest` object is automatically in scope within every test file. The methods in the `jest` object help create mocks and let you control Jest's overall behavior. It can also be imported explicitly by via `import {jest} from '@jest/globals'`. + +## Methods + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Mock Modules + +### `jest.disableAutomock()` + +Disables automatic mocking in the module loader. + +> See `automock` section of [configuration](Configuration.md#automock-boolean) for more information + +After this method is called, all `require()`s will return the real versions of each module (rather than a mocked version). + +Jest configuration: + +```json +{ + "automock": true +} +``` + +Example: + +```js title="utils.js" +export default { + authorize: () => { + return 'token'; + }, +}; +``` + +```js title="__tests__/disableAutomocking.js" +import utils from '../utils'; + +jest.disableAutomock(); + +test('original implementation', () => { + // now we have the original implementation, + // even if we set the automocking in a jest configuration + expect(utils.authorize()).toBe('token'); +}); +``` + +This is usually useful when you have a scenario where the number of dependencies you want to mock is far less than the number of dependencies that you don't. For example, if you're writing a test for a module that uses a large number of dependencies that can be reasonably classified as "implementation details" of the module, then you likely do not want to mock them. + +Examples of dependencies that might be considered "implementation details" are things ranging from language built-ins (e.g. Array.prototype methods) to highly common utility methods (e.g. underscore/lo-dash, array utilities, etc) and entire libraries like React.js. + +Returns the `jest` object for chaining. + +_Note: this method was previously called `autoMockOff`. When using `babel-jest`, calls to `disableAutomock` will automatically be hoisted to the top of the code block. Use `autoMockOff` if you want to explicitly avoid this behavior._ + +### `jest.enableAutomock()` + +Enables automatic mocking in the module loader. + +Returns the `jest` object for chaining. + +> See `automock` section of [configuration](Configuration.md#automock-boolean) for more information + +Example: + +```js title="utils.js" +export default { + authorize: () => { + return 'token'; + }, + isAuthorized: secret => secret === 'wizard', +}; +``` + +```js title="__tests__/enableAutomocking.js" +jest.enableAutomock(); + +import utils from '../utils'; + +test('original implementation', () => { + // now we have the mocked implementation, + expect(utils.authorize._isMockFunction).toBeTruthy(); + expect(utils.isAuthorized._isMockFunction).toBeTruthy(); +}); +``` + +_Note: this method was previously called `autoMockOn`. When using `babel-jest`, calls to `enableAutomock` will automatically be hoisted to the top of the code block. Use `autoMockOn` if you want to explicitly avoid this behavior._ + +### `jest.createMockFromModule(moduleName)` + +##### renamed in Jest **26.0.0+** + +Also under the alias: `.genMockFromModule(moduleName)` + +Given the name of a module, use the automatic mocking system to generate a mocked version of the module for you. + +This is useful when you want to create a [manual mock](ManualMocks.md) that extends the automatic mock's behavior. + +Example: + +```js title="utils.js" +export default { + authorize: () => { + return 'token'; + }, + isAuthorized: secret => secret === 'wizard', +}; +``` + +```js title="__tests__/createMockFromModule.test.js" +const utils = jest.createMockFromModule('../utils').default; +utils.isAuthorized = jest.fn(secret => secret === 'not wizard'); + +test('implementation created by jest.createMockFromModule', () => { + expect(utils.authorize.mock).toBeTruthy(); + expect(utils.isAuthorized('not wizard')).toEqual(true); +}); +``` + +This is how `createMockFromModule` will mock the following data types: + +#### `Function` + +Creates a new [mock function](mock-functions). The new function has no formal parameters and when called will return `undefined`. This functionality also applies to `async` functions. + +#### `Class` + +Creates a new class. The interface of the original class is maintained, all of the class member functions and properties will be mocked. + +#### `Object` + +Creates a new deeply cloned object. The object keys are maintained and their values are mocked. + +#### `Array` + +Creates a new empty array, ignoring the original. + +#### `Primitives` + +Creates a new property with the same primitive value as the original property. + +Example: + +```js title="example.js" +module.exports = { + function: function square(a, b) { + return a * b; + }, + asyncFunction: async function asyncSquare(a, b) { + const result = (await a) * b; + return result; + }, + class: new (class Bar { + constructor() { + this.array = [1, 2, 3]; + } + foo() {} + })(), + object: { + baz: 'foo', + bar: { + fiz: 1, + buzz: [1, 2, 3], + }, + }, + array: [1, 2, 3], + number: 123, + string: 'baz', + boolean: true, + symbol: Symbol.for('a.b.c'), +}; +``` + +```js title="__tests__/example.test.js" +const example = jest.createMockFromModule('./example'); + +test('should run example code', () => { + // creates a new mocked function with no formal arguments. + expect(example.function.name).toEqual('square'); + expect(example.function.length).toEqual(0); + + // async functions get the same treatment as standard synchronous functions. + expect(example.asyncFunction.name).toEqual('asyncSquare'); + expect(example.asyncFunction.length).toEqual(0); + + // creates a new class with the same interface, member functions and properties are mocked. + expect(example.class.constructor.name).toEqual('Bar'); + expect(example.class.foo.name).toEqual('foo'); + expect(example.class.array.length).toEqual(0); + + // creates a deeply cloned version of the original object. + expect(example.object).toEqual({ + baz: 'foo', + bar: { + fiz: 1, + buzz: [], + }, + }); + + // creates a new empty array, ignoring the original array. + expect(example.array.length).toEqual(0); + + // creates a new property with the same primitive value as the original property. + expect(example.number).toEqual(123); + expect(example.string).toEqual('baz'); + expect(example.boolean).toEqual(true); + expect(example.symbol).toEqual(Symbol.for('a.b.c')); +}); +``` + +### `jest.mock(moduleName, factory, options)` + +Mocks a module with an auto-mocked version when it is being required. `factory` and `options` are optional. For example: + +```js title="banana.js" +module.exports = () => 'banana'; +``` + +```js title="__tests__/test.js" +jest.mock('../banana'); + +const banana = require('../banana'); // banana will be explicitly mocked. + +banana(); // will return 'undefined' because the function is auto-mocked. +``` + +The second argument can be used to specify an explicit module factory that is being run instead of using Jest's automocking feature: + +```js +jest.mock('../moduleName', () => { + return jest.fn(() => 42); +}); + +// This runs the function specified as second argument to `jest.mock`. +const moduleName = require('../moduleName'); +moduleName(); // Will return '42'; +``` + +When using the `factory` parameter for an ES6 module with a default export, the `__esModule: true` property needs to be specified. This property is normally generated by Babel / TypeScript, but here it needs to be set manually. When importing a default export, it's an instruction to import the property named `default` from the export object: + +```js +import moduleName, {foo} from '../moduleName'; + +jest.mock('../moduleName', () => { + return { + __esModule: true, + default: jest.fn(() => 42), + foo: jest.fn(() => 43), + }; +}); + +moduleName(); // Will return 42 +foo(); // Will return 43 +``` + +The third argument can be used to create virtual mocks – mocks of modules that don't exist anywhere in the system: + +```js +jest.mock( + '../moduleName', + () => { + /* + * Custom implementation of a module that doesn't exist in JS, + * like a generated module or a native module in react-native. + */ + }, + {virtual: true}, +); +``` + +> **Warning:** Importing a module in a setup file (as specified by `setupFilesAfterEnv`) will prevent mocking for the module in question, as well as all the modules that it imports. + +Modules that are mocked with `jest.mock` are mocked only for the file that calls `jest.mock`. Another file that imports the module will get the original implementation even if it runs after the test file that mocks the module. + +Returns the `jest` object for chaining. + +### `jest.unmock(moduleName)` + +Indicates that the module system should never return a mocked version of the specified module from `require()` (e.g. that it should always return the real module). + +The most common use of this API is for specifying the module a given test intends to be testing (and thus doesn't want automatically mocked). + +Returns the `jest` object for chaining. + +### `jest.doMock(moduleName, factory, options)` + +When using `babel-jest`, calls to `mock` will automatically be hoisted to the top of the code block. Use this method if you want to explicitly avoid this behavior. + +One example when this is useful is when you want to mock a module differently within the same file: + +```js +beforeEach(() => { + jest.resetModules(); +}); + +test('moduleName 1', () => { + jest.doMock('../moduleName', () => { + return jest.fn(() => 1); + }); + const moduleName = require('../moduleName'); + expect(moduleName()).toEqual(1); +}); + +test('moduleName 2', () => { + jest.doMock('../moduleName', () => { + return jest.fn(() => 2); + }); + const moduleName = require('../moduleName'); + expect(moduleName()).toEqual(2); +}); +``` + +Using `jest.doMock()` with ES6 imports requires additional steps. Follow these if you don't want to use `require` in your tests: + +- We have to specify the `__esModule: true` property (see the [`jest.mock()`](#jestmockmodulename-factory-options) API for more information). +- Static ES6 module imports are hoisted to the top of the file, so instead we have to import them dynamically using `import()`. +- Finally, we need an environment which supports dynamic importing. Please see [Using Babel](GettingStarted.md#using-babel) for the initial setup. Then add the plugin [babel-plugin-dynamic-import-node](https://www.npmjs.com/package/babel-plugin-dynamic-import-node), or an equivalent, to your Babel config to enable dynamic importing in Node. + +```js +beforeEach(() => { + jest.resetModules(); +}); + +test('moduleName 1', () => { + jest.doMock('../moduleName', () => { + return { + __esModule: true, + default: 'default1', + foo: 'foo1', + }; + }); + return import('../moduleName').then(moduleName => { + expect(moduleName.default).toEqual('default1'); + expect(moduleName.foo).toEqual('foo1'); + }); +}); + +test('moduleName 2', () => { + jest.doMock('../moduleName', () => { + return { + __esModule: true, + default: 'default2', + foo: 'foo2', + }; + }); + return import('../moduleName').then(moduleName => { + expect(moduleName.default).toEqual('default2'); + expect(moduleName.foo).toEqual('foo2'); + }); +}); +``` + +Returns the `jest` object for chaining. + +### `jest.dontMock(moduleName)` + +When using `babel-jest`, calls to `unmock` will automatically be hoisted to the top of the code block. Use this method if you want to explicitly avoid this behavior. + +Returns the `jest` object for chaining. + +### `jest.setMock(moduleName, moduleExports)` + +Explicitly supplies the mock object that the module system should return for the specified module. + +On occasion, there are times where the automatically generated mock the module system would normally provide you isn't adequate enough for your testing needs. Normally under those circumstances you should write a [manual mock](ManualMocks.md) that is more adequate for the module in question. However, on extremely rare occasions, even a manual mock isn't suitable for your purposes and you need to build the mock yourself inside your test. + +In these rare scenarios you can use this API to manually fill the slot in the module system's mock-module registry. + +Returns the `jest` object for chaining. + +_Note It is recommended to use [`jest.mock()`](#jestmockmodulename-factory-options) instead. The `jest.mock` API's second argument is a module factory instead of the expected exported module object._ + +### `jest.requireActual(moduleName)` + +Returns the actual module instead of a mock, bypassing all checks on whether the module should receive a mock implementation or not. + +Example: + +```js +jest.mock('../myModule', () => { + // Require the original module to not be mocked... + const originalModule = jest.requireActual('../myModule'); + + return { + __esModule: true, // Use it when dealing with esModules + ...originalModule, + getRandom: jest.fn().mockReturnValue(10), + }; +}); + +const getRandom = require('../myModule').getRandom; + +getRandom(); // Always returns 10 +``` + +### `jest.requireMock(moduleName)` + +Returns a mock module instead of the actual module, bypassing all checks on whether the module should be required normally or not. + +### `jest.resetModules()` + +Resets the module registry - the cache of all required modules. This is useful to isolate modules where local state might conflict between tests. + +Example: + +```js +const sum1 = require('../sum'); +jest.resetModules(); +const sum2 = require('../sum'); +sum1 === sum2; +// > false (Both sum modules are separate "instances" of the sum module.) +``` + +Example in a test: + +```js +beforeEach(() => { + jest.resetModules(); +}); + +test('works', () => { + const sum = require('../sum'); +}); + +test('works too', () => { + const sum = require('../sum'); + // sum is a different copy of the sum module from the previous test. +}); +``` + +Returns the `jest` object for chaining. + +### `jest.isolateModules(fn)` + +`jest.isolateModules(fn)` goes a step further than `jest.resetModules()` and creates a sandbox registry for the modules that are loaded inside the callback function. This is useful to isolate specific modules for every test so that local module state doesn't conflict between tests. + +```js +let myModule; +jest.isolateModules(() => { + myModule = require('myModule'); +}); + +const otherCopyOfMyModule = require('myModule'); +``` + +## Mock Functions + +### `jest.fn(implementation)` + +Returns a new, unused [mock function](MockFunctionAPI.md). Optionally takes a mock implementation. + +```js +const mockFn = jest.fn(); +mockFn(); +expect(mockFn).toHaveBeenCalled(); + +// With a mock implementation: +const returnsTrue = jest.fn(() => true); +console.log(returnsTrue()); // true; +``` + +### `jest.isMockFunction(fn)` + +Determines if the given function is a mocked function. + +### `jest.spyOn(object, methodName)` + +Creates a mock function similar to `jest.fn` but also tracks calls to `object[methodName]`. Returns a Jest [mock function](MockFunctionAPI.md). + +_Note: By default, `jest.spyOn` also calls the **spied** method. This is different behavior from most other test libraries. If you want to overwrite the original function, you can use `jest.spyOn(object, methodName).mockImplementation(() => customImplementation)` or `object[methodName] = jest.fn(() => customImplementation);`_ + +Example: + +```js +const video = { + play() { + return true; + }, +}; + +module.exports = video; +``` + +Example test: + +```js +const video = require('./video'); + +test('plays video', () => { + const spy = jest.spyOn(video, 'play'); + const isPlaying = video.play(); + + expect(spy).toHaveBeenCalled(); + expect(isPlaying).toBe(true); + + spy.mockRestore(); +}); +``` + +### `jest.spyOn(object, methodName, accessType?)` + +Since Jest 22.1.0+, the `jest.spyOn` method takes an optional third argument of `accessType` that can be either `'get'` or `'set'`, which proves to be useful when you want to spy on a getter or a setter, respectively. + +Example: + +```js +const video = { + // it's a getter! + get play() { + return true; + }, +}; + +module.exports = video; + +const audio = { + _volume: false, + // it's a setter! + set volume(value) { + this._volume = value; + }, + get volume() { + return this._volume; + }, +}; + +module.exports = audio; +``` + +Example test: + +```js +const audio = require('./audio'); +const video = require('./video'); + +test('plays video', () => { + const spy = jest.spyOn(video, 'play', 'get'); // we pass 'get' + const isPlaying = video.play; + + expect(spy).toHaveBeenCalled(); + expect(isPlaying).toBe(true); + + spy.mockRestore(); +}); + +test('plays audio', () => { + const spy = jest.spyOn(audio, 'volume', 'set'); // we pass 'set' + audio.volume = 100; + + expect(spy).toHaveBeenCalled(); + expect(audio.volume).toBe(100); + + spy.mockRestore(); +}); +``` + +### `jest.clearAllMocks()` + +Clears the `mock.calls`, `mock.instances` and `mock.results` properties of all mocks. Equivalent to calling [`.mockClear()`](MockFunctionAPI.md#mockfnmockclear) on every mocked function. + +Returns the `jest` object for chaining. + +### `jest.resetAllMocks()` + +Resets the state of all mocks. Equivalent to calling [`.mockReset()`](MockFunctionAPI.md#mockfnmockreset) on every mocked function. + +Returns the `jest` object for chaining. + +### `jest.restoreAllMocks()` + +Restores all mocks back to their original value. Equivalent to calling [`.mockRestore()`](MockFunctionAPI.md#mockfnmockrestore) on every mocked function. Beware that `jest.restoreAllMocks()` only works when the mock was created with `jest.spyOn`; other mocks will require you to manually restore them. + +### `jest.mocked(item: T, deep = false)` + +The `mocked` test helper provides typings on your mocked modules and even their deep methods, based on the typing of its source. It makes use of the latest TypeScript feature, so you even have argument types completion in the IDE (as opposed to `jest.MockInstance`). + +_Note: while it needs to be a function so that input type is changed, the helper itself does nothing else than returning the given input value._ + +Example: + +```ts +// foo.ts +export const foo = { + a: { + b: { + c: { + hello: (name: string) => `Hello, ${name}`, + }, + }, + }, + name: () => 'foo', +}; +``` + +```ts +// foo.spec.ts +import {foo} from './foo'; +jest.mock('./foo'); + +// here the whole foo var is mocked deeply +const mockedFoo = jest.mocked(foo, true); + +test('deep', () => { + // there will be no TS error here, and you'll have completion in modern IDEs + mockedFoo.a.b.c.hello('me'); + // same here + expect(mockedFoo.a.b.c.hello.mock.calls).toHaveLength(1); +}); + +test('direct', () => { + foo.name(); + // here only foo.name is mocked (or its methods if it's an object) + expect(jest.mocked(foo.name).mock.calls).toHaveLength(1); +}); +``` + +## Mock Timers + +### `jest.useFakeTimers(implementation?: 'modern' | 'legacy')` + +Instructs Jest to use fake versions of the standard timer functions (`setTimeout`, `setInterval`, `clearTimeout`, `clearInterval`, `nextTick`, `setImmediate` and `clearImmediate` as well as `Date`). + +If you pass `'legacy'` as an argument, Jest's legacy implementation will be used rather than one based on [`@sinonjs/fake-timers`](https://github.com/sinonjs/fake-timers). + +Returns the `jest` object for chaining. + +### `jest.useRealTimers()` + +Instructs Jest to use the real versions of the standard timer functions. + +Returns the `jest` object for chaining. + +### `jest.runAllTicks()` + +Exhausts the **micro**-task queue (usually interfaced in node via `process.nextTick`). + +When this API is called, all pending micro-tasks that have been queued via `process.nextTick` will be executed. Additionally, if those micro-tasks themselves schedule new micro-tasks, those will be continually exhausted until there are no more micro-tasks remaining in the queue. + +### `jest.runAllTimers()` + +Exhausts both the **macro**-task queue (i.e., all tasks queued by `setTimeout()`, `setInterval()`, and `setImmediate()`) and the **micro**-task queue (usually interfaced in node via `process.nextTick`). + +When this API is called, all pending macro-tasks and micro-tasks will be executed. If those tasks themselves schedule new tasks, those will be continually exhausted until there are no more tasks remaining in the queue. + +This is often useful for synchronously executing setTimeouts during a test in order to synchronously assert about some behavior that would only happen after the `setTimeout()` or `setInterval()` callbacks executed. See the [Timer mocks](TimerMocks.md) doc for more information. + +### `jest.runAllImmediates()` + +Exhausts all tasks queued by `setImmediate()`. + +> Note: This function is not available when using modern fake timers implementation + +### `jest.advanceTimersByTime(msToRun)` + +Executes only the macro task queue (i.e. all tasks queued by `setTimeout()` or `setInterval()` and `setImmediate()`). + +When this API is called, all timers are advanced by `msToRun` milliseconds. All pending "macro-tasks" that have been queued via `setTimeout()` or `setInterval()`, and would be executed within this time frame will be executed. Additionally, if those macro-tasks schedule new macro-tasks that would be executed within the same time frame, those will be executed until there are no more macro-tasks remaining in the queue, that should be run within `msToRun` milliseconds. + +### `jest.runOnlyPendingTimers()` + +Executes only the macro-tasks that are currently pending (i.e., only the tasks that have been queued by `setTimeout()` or `setInterval()` up to this point). If any of the currently pending macro-tasks schedule new macro-tasks, those new tasks will not be executed by this call. + +This is useful for scenarios such as one where the module being tested schedules a `setTimeout()` whose callback schedules another `setTimeout()` recursively (meaning the scheduling never stops). In these scenarios, it's useful to be able to run forward in time by a single step at a time. + +### `jest.advanceTimersToNextTimer(steps)` + +Advances all timers by the needed milliseconds so that only the next timeouts/intervals will run. + +Optionally, you can provide `steps`, so it will run `steps` amount of next timeouts/intervals. + +### `jest.clearAllTimers()` + +Removes any pending timers from the timer system. + +This means, if any timers have been scheduled (but have not yet executed), they will be cleared and will never have the opportunity to execute in the future. + +### `jest.getTimerCount()` + +Returns the number of fake timers still left to run. + +### `jest.setSystemTime(now?: number | Date)` + +Set the current system time used by fake timers. Simulates a user changing the system clock while your program is running. It affects the current time but it does not in itself cause e.g. timers to fire; they will fire exactly as they would have done without the call to `jest.setSystemTime()`. + +> Note: This function is only available when using modern fake timers implementation + +### `jest.getRealSystemTime()` + +When mocking time, `Date.now()` will also be mocked. If you for some reason need access to the real current time, you can invoke this function. + +> Note: This function is only available when using modern fake timers implementation + +## Misc + +### `jest.setTimeout(timeout)` + +Set the default timeout interval for tests and before/after hooks in milliseconds. This only affects the test file from which this function is called. + +_Note: The default timeout interval is 5 seconds if this method is not called._ + +_Note: If you want to set the timeout for all test files, a good place to do this is in `setupFilesAfterEnv`._ + +Example: + +```js +jest.setTimeout(1000); // 1 second +``` + +### `jest.retryTimes()` + +Runs failed tests n-times until they pass or until the max number of retries is exhausted. This only works with the default [jest-circus](https://github.com/facebook/jest/tree/main/packages/jest-circus) runner! This must live at the top-level of a test file or in a describe block. Retries _will not_ work if `jest.retryTimes()` is called in a `beforeEach` or a `test` block. + +Example in a test: + +```js +jest.retryTimes(3); +test('will fail', () => { + expect(true).toBe(false); +}); +``` + +Returns the `jest` object for chaining. diff --git a/website/versioned_docs/version-27.5/JestPlatform.md b/website/versioned_docs/version-27.5/JestPlatform.md new file mode 100644 index 000000000000..7e638e040b63 --- /dev/null +++ b/website/versioned_docs/version-27.5/JestPlatform.md @@ -0,0 +1,170 @@ +--- +id: jest-platform +title: Jest Platform +--- + +You can cherry pick specific features of Jest and use them as standalone packages. Here's a list of the available packages: + +## jest-changed-files + +Tool for identifying modified files in a git/hg repository. Exports two functions: + +- `getChangedFilesForRoots` returns a promise that resolves to an object with the changed files and repos. +- `findRepos` returns a promise that resolves to a set of repositories contained in the specified path. + +### Example + +```javascript +const {getChangedFilesForRoots} = require('jest-changed-files'); + +// print the set of modified files since last commit in the current repo +getChangedFilesForRoots(['./'], { + lastCommit: true, +}).then(result => console.log(result.changedFiles)); +``` + +You can read more about `jest-changed-files` in the [readme file](https://github.com/facebook/jest/blob/main/packages/jest-changed-files/README.md). + +## jest-diff + +Tool for visualizing changes in data. Exports a function that compares two values of any type and returns a "pretty-printed" string illustrating the difference between the two arguments. + +### Example + +```javascript +const {diff} = require('jest-diff'); + +const a = {a: {b: {c: 5}}}; +const b = {a: {b: {c: 6}}}; + +const result = diff(a, b); + +// print diff +console.log(result); +``` + +## jest-docblock + +Tool for extracting and parsing the comments at the top of a JavaScript file. Exports various functions to manipulate the data inside the comment block. + +### Example + +```javascript +const {parseWithComments} = require('jest-docblock'); + +const code = ` +/** + * This is a sample + * + * @flow + */ + + console.log('Hello World!'); +`; + +const parsed = parseWithComments(code); + +// prints an object with two attributes: comments and pragmas. +console.log(parsed); +``` + +You can read more about `jest-docblock` in the [readme file](https://github.com/facebook/jest/blob/main/packages/jest-docblock/README.md). + +## jest-get-type + +Module that identifies the primitive type of any JavaScript value. Exports a function that returns a string with the type of the value passed as argument. + +### Example + +```javascript +const {getType} = require('jest-get-type'); + +const array = [1, 2, 3]; +const nullValue = null; +const undefinedValue = undefined; + +// prints 'array' +console.log(getType(array)); +// prints 'null' +console.log(getType(nullValue)); +// prints 'undefined' +console.log(getType(undefinedValue)); +``` + +## jest-validate + +Tool for validating configurations submitted by users. Exports a function that takes two arguments: the user's configuration and an object containing an example configuration and other options. The return value is an object with two attributes: + +- `hasDeprecationWarnings`, a boolean indicating whether the submitted configuration has deprecation warnings, +- `isValid`, a boolean indicating whether the configuration is correct or not. + +### Example + +```javascript +const {validate} = require('jest-validate'); + +const configByUser = { + transform: '/node_modules/my-custom-transform', +}; + +const result = validate(configByUser, { + comment: ' Documentation: http://custom-docs.com', + exampleConfig: {transform: '/node_modules/babel-jest'}, +}); + +console.log(result); +``` + +You can read more about `jest-validate` in the [readme file](https://github.com/facebook/jest/blob/main/packages/jest-validate/README.md). + +## jest-worker + +Module used for parallelization of tasks. Exports a class `JestWorker` that takes the path of Node.js module and lets you call the module's exported methods as if they were class methods, returning a promise that resolves when the specified method finishes its execution in a forked process. + +### Example + +```javascript title="heavy-task.js" +module.exports = { + myHeavyTask: args => { + // long running CPU intensive task. + }, +}; +``` + +```javascript title="main.js" +async function main() { + const worker = new Worker(require.resolve('./heavy-task.js')); + + // run 2 tasks in parallel with different arguments + const results = await Promise.all([ + worker.myHeavyTask({foo: 'bar'}), + worker.myHeavyTask({bar: 'foo'}), + ]); + + console.log(results); +} + +main(); +``` + +You can read more about `jest-worker` in the [readme file](https://github.com/facebook/jest/blob/main/packages/jest-worker/README.md). + +## pretty-format + +Exports a function that converts any JavaScript value into a human-readable string. Supports all built-in JavaScript types out of the box and allows extension for application-specific types via user-defined plugins. + +### Example + +```javascript +const {format: prettyFormat} = require('pretty-format'); + +const val = {object: {}}; +val.circularReference = val; +val[Symbol('foo')] = 'foo'; +val.map = new Map([['prop', 'value']]); +val.array = [-0, Infinity, NaN]; + +console.log(prettyFormat(val)); +``` + +You can read more about `pretty-format` in the [readme file](https://github.com/facebook/jest/blob/main/packages/pretty-format/README.md). diff --git a/website/versioned_docs/version-27.5/ManualMocks.md b/website/versioned_docs/version-27.5/ManualMocks.md new file mode 100644 index 000000000000..178226d727f9 --- /dev/null +++ b/website/versioned_docs/version-27.5/ManualMocks.md @@ -0,0 +1,164 @@ +--- +id: manual-mocks +title: Manual Mocks +--- + +Manual mocks are used to stub out functionality with mock data. For example, instead of accessing a remote resource like a website or a database, you might want to create a manual mock that allows you to use fake data. This ensures your tests will be fast and not flaky. + +## Mocking user modules + +Manual mocks are defined by writing a module in a `__mocks__/` subdirectory immediately adjacent to the module. For example, to mock a module called `user` in the `models` directory, create a file called `user.js` and put it in the `models/__mocks__` directory. Note that the `__mocks__` folder is case-sensitive, so naming the directory `__MOCKS__` will break on some systems. + +> When we require that module in our tests (meaning we want to use the manual mock instead of the real implementation), explicitly calling `jest.mock('./moduleName')` is **required**. + +## Mocking Node modules + +If the module you are mocking is a Node module (e.g.: `lodash`), the mock should be placed in the `__mocks__` directory adjacent to `node_modules` (unless you configured [`roots`](Configuration.md#roots-arraystring) to point to a folder other than the project root) and will be **automatically** mocked. There's no need to explicitly call `jest.mock('module_name')`. + +Scoped modules (also known as [scoped packages](https://docs.npmjs.com/cli/v6/using-npm/scope)) can be mocked by creating a file in a directory structure that matches the name of the scoped module. For example, to mock a scoped module called `@scope/project-name`, create a file at `__mocks__/@scope/project-name.js`, creating the `@scope/` directory accordingly. + +> Warning: If we want to mock Node's core modules (e.g.: `fs` or `path`), then explicitly calling e.g. `jest.mock('path')` is **required**, because core Node modules are not mocked by default. + +## Examples + +```bash +. +├── config +├── __mocks__ +│   └── fs.js +├── models +│   ├── __mocks__ +│   │   └── user.js +│   └── user.js +├── node_modules +└── views +``` + +When a manual mock exists for a given module, Jest's module system will use that module when explicitly calling `jest.mock('moduleName')`. However, when `automock` is set to `true`, the manual mock implementation will be used instead of the automatically created mock, even if `jest.mock('moduleName')` is not called. To opt out of this behavior you will need to explicitly call `jest.unmock('moduleName')` in tests that should use the actual module implementation. + +> Note: In order to mock properly, Jest needs `jest.mock('moduleName')` to be in the same scope as the `require/import` statement. + +Here's a contrived example where we have a module that provides a summary of all the files in a given directory. In this case, we use the core (built in) `fs` module. + +```javascript title="FileSummarizer.js" +'use strict'; + +const fs = require('fs'); + +function summarizeFilesInDirectorySync(directory) { + return fs.readdirSync(directory).map(fileName => ({ + directory, + fileName, + })); +} + +exports.summarizeFilesInDirectorySync = summarizeFilesInDirectorySync; +``` + +Since we'd like our tests to avoid actually hitting the disk (that's pretty slow and fragile), we create a manual mock for the `fs` module by extending an automatic mock. Our manual mock will implement custom versions of the `fs` APIs that we can build on for our tests: + +```javascript title="__mocks__/fs.js" +'use strict'; + +const path = require('path'); + +const fs = jest.createMockFromModule('fs'); + +// This is a custom function that our tests can use during setup to specify +// what the files on the "mock" filesystem should look like when any of the +// `fs` APIs are used. +let mockFiles = Object.create(null); +function __setMockFiles(newMockFiles) { + mockFiles = Object.create(null); + for (const file in newMockFiles) { + const dir = path.dirname(file); + + if (!mockFiles[dir]) { + mockFiles[dir] = []; + } + mockFiles[dir].push(path.basename(file)); + } +} + +// A custom version of `readdirSync` that reads from the special mocked out +// file list set via __setMockFiles +function readdirSync(directoryPath) { + return mockFiles[directoryPath] || []; +} + +fs.__setMockFiles = __setMockFiles; +fs.readdirSync = readdirSync; + +module.exports = fs; +``` + +Now we write our test. Note that we need to explicitly tell that we want to mock the `fs` module because it’s a core Node module: + +```javascript title="__tests__/FileSummarizer-test.js" +'use strict'; + +jest.mock('fs'); + +describe('listFilesInDirectorySync', () => { + const MOCK_FILE_INFO = { + '/path/to/file1.js': 'console.log("file1 contents");', + '/path/to/file2.txt': 'file2 contents', + }; + + beforeEach(() => { + // Set up some mocked out file info before each test + require('fs').__setMockFiles(MOCK_FILE_INFO); + }); + + test('includes all files in the directory in the summary', () => { + const FileSummarizer = require('../FileSummarizer'); + const fileSummary = + FileSummarizer.summarizeFilesInDirectorySync('/path/to'); + + expect(fileSummary.length).toBe(2); + }); +}); +``` + +The example mock shown here uses [`jest.createMockFromModule`](JestObjectAPI.md#jestcreatemockfrommodulemodulename) to generate an automatic mock, and overrides its default behavior. This is the recommended approach, but is completely optional. If you do not want to use the automatic mock at all, you can export your own functions from the mock file. One downside to fully manual mocks is that they're manual – meaning you have to manually update them any time the module they are mocking changes. Because of this, it's best to use or extend the automatic mock when it works for your needs. + +To ensure that a manual mock and its real implementation stay in sync, it might be useful to require the real module using [`jest.requireActual(moduleName)`](JestObjectAPI.md#jestrequireactualmodulename) in your manual mock and amending it with mock functions before exporting it. + +The code for this example is available at [examples/manual-mocks](https://github.com/facebook/jest/tree/main/examples/manual-mocks). + +## Using with ES module imports + +If you're using [ES module imports](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/import) then you'll normally be inclined to put your `import` statements at the top of the test file. But often you need to instruct Jest to use a mock before modules use it. For this reason, Jest will automatically hoist `jest.mock` calls to the top of the module (before any imports). To learn more about this and see it in action, see [this repo](https://github.com/kentcdodds/how-jest-mocking-works). + +## Mocking methods which are not implemented in JSDOM + +If some code uses a method which JSDOM (the DOM implementation used by Jest) hasn't implemented yet, testing it is not easily possible. This is e.g. the case with `window.matchMedia()`. Jest returns `TypeError: window.matchMedia is not a function` and doesn't properly execute the test. + +In this case, mocking `matchMedia` in the test file should solve the issue: + +```js +Object.defineProperty(window, 'matchMedia', { + writable: true, + value: jest.fn().mockImplementation(query => ({ + matches: false, + media: query, + onchange: null, + addListener: jest.fn(), // deprecated + removeListener: jest.fn(), // deprecated + addEventListener: jest.fn(), + removeEventListener: jest.fn(), + dispatchEvent: jest.fn(), + })), +}); +``` + +This works if `window.matchMedia()` is used in a function (or method) which is invoked in the test. If `window.matchMedia()` is executed directly in the tested file, Jest reports the same error. In this case, the solution is to move the manual mock into a separate file and include this one in the test **before** the tested file: + +```js +import './matchMedia.mock'; // Must be imported before the tested file +import {myMethod} from './file-to-test'; + +describe('myMethod()', () => { + // Test the method here... +}); +``` diff --git a/website/versioned_docs/version-27.5/MigrationGuide.md b/website/versioned_docs/version-27.5/MigrationGuide.md new file mode 100644 index 000000000000..13d0bed5674d --- /dev/null +++ b/website/versioned_docs/version-27.5/MigrationGuide.md @@ -0,0 +1,22 @@ +--- +id: migration-guide +title: Migrating to Jest +--- + +If you'd like to try out Jest with an existing codebase, there are a number of ways to convert to Jest: + +- If you are using Jasmine, or a Jasmine like API (for example [Mocha](https://mochajs.org)), Jest should be mostly compatible, which makes it less complicated to migrate to. +- If you are using AVA, Expect.js (by Automattic), Jasmine, Mocha, proxyquire, Should.js or Tape you can automatically migrate with Jest Codemods (see below). +- If you like [chai](http://chaijs.com/), you can upgrade to Jest and continue using chai. However, we recommend trying out Jest's assertions and their failure messages. Jest Codemods can migrate from chai (see below). + +## jest-codemods + +If you are using [AVA](https://github.com/avajs/ava), [Chai](https://github.com/chaijs/chai), [Expect.js (by Automattic)](https://github.com/Automattic/expect.js), [Jasmine](https://github.com/jasmine/jasmine), [Mocha](https://github.com/mochajs/mocha), [proxyquire](https://github.com/thlorenz/proxyquire), [Should.js](https://github.com/shouldjs/should.js) or [Tape](https://github.com/substack/tape) you can use the third-party [jest-codemods](https://github.com/skovhus/jest-codemods) to do most of the dirty migration work. It runs a code transformation on your codebase using [jscodeshift](https://github.com/facebook/jscodeshift). + +To transform your existing tests, navigate to the project containing the tests and run: + +```bash +npx jest-codemods +``` + +More information can be found at [https://github.com/skovhus/jest-codemods](https://github.com/skovhus/jest-codemods). diff --git a/website/versioned_docs/version-27.5/MockFunctionAPI.md b/website/versioned_docs/version-27.5/MockFunctionAPI.md new file mode 100644 index 000000000000..388a3f0fa836 --- /dev/null +++ b/website/versioned_docs/version-27.5/MockFunctionAPI.md @@ -0,0 +1,458 @@ +--- +id: mock-function-api +title: Mock Functions +--- + +Mock functions are also known as "spies", because they let you spy on the behavior of a function that is called indirectly by some other code, rather than only testing the output. You can create a mock function with `jest.fn()`. If no implementation is given, the mock function will return `undefined` when invoked. + +## Methods + +import TOCInline from "@theme/TOCInline" + + + +--- + +## Reference + +### `mockFn.getMockName()` + +Returns the mock name string set by calling `mockFn.mockName(value)`. + +### `mockFn.mock.calls` + +An array containing the call arguments of all calls that have been made to this mock function. Each item in the array is an array of arguments that were passed during the call. + +For example: A mock function `f` that has been called twice, with the arguments `f('arg1', 'arg2')`, and then with the arguments `f('arg3', 'arg4')`, would have a `mock.calls` array that looks like this: + +```js +[ + ['arg1', 'arg2'], + ['arg3', 'arg4'], +]; +``` + +### `mockFn.mock.results` + +An array containing the results of all calls that have been made to this mock function. Each entry in this array is an object containing a `type` property, and a `value` property. `type` will be one of the following: + +- `'return'` - Indicates that the call completed by returning normally. +- `'throw'` - Indicates that the call completed by throwing a value. +- `'incomplete'` - Indicates that the call has not yet completed. This occurs if you test the result from within the mock function itself, or from within a function that was called by the mock. + +The `value` property contains the value that was thrown or returned. `value` is undefined when `type === 'incomplete'`. + +For example: A mock function `f` that has been called three times, returning `'result1'`, throwing an error, and then returning `'result2'`, would have a `mock.results` array that looks like this: + +```js +[ + { + type: 'return', + value: 'result1', + }, + { + type: 'throw', + value: { + /* Error instance */ + }, + }, + { + type: 'return', + value: 'result2', + }, +]; +``` + +### `mockFn.mock.instances` + +An array that contains all the object instances that have been instantiated from this mock function using `new`. + +For example: A mock function that has been instantiated twice would have the following `mock.instances` array: + +```js +const mockFn = jest.fn(); + +const a = new mockFn(); +const b = new mockFn(); + +mockFn.mock.instances[0] === a; // true +mockFn.mock.instances[1] === b; // true +``` + +### `mockFn.mock.lastCall` + +An array containing the call arguments of the last call that was made to this mock function. If the function was not called, it will return `undefined`. + +For example: A mock function `f` that has been called twice, with the arguments `f('arg1', 'arg2')`, and then with the arguments `f('arg3', 'arg4')`, would have a `mock.lastCall` array that looks like this: + +```js +['arg3', 'arg4']; +``` + +### `mockFn.mockClear()` + +Clears all information stored in the [`mockFn.mock.calls`](#mockfnmockcalls), [`mockFn.mock.instances`](#mockfnmockinstances) and [`mockFn.mock.results`](#mockfnmockresults) arrays. Often this is useful when you want to clean up a mocks usage data between two assertions. + +Beware that `mockClear` will replace `mockFn.mock`, not just these three properties! You should, therefore, avoid assigning `mockFn.mock` to other variables, temporary or not, to make sure you don't access stale data. + +The [`clearMocks`](configuration#clearmocks-boolean) configuration option is available to clear mocks automatically before each tests. + +### `mockFn.mockReset()` + +Does everything that [`mockFn.mockClear()`](#mockfnmockclear) does, and also removes any mocked return values or implementations. + +This is useful when you want to completely reset a _mock_ back to its initial state. (Note that resetting a _spy_ will result in a function with no return value). + +The [`mockReset`](configuration#resetmocks-boolean) configuration option is available to reset mocks automatically before each test. + +### `mockFn.mockRestore()` + +Does everything that [`mockFn.mockReset()`](#mockfnmockreset) does, and also restores the original (non-mocked) implementation. + +This is useful when you want to mock functions in certain test cases and restore the original implementation in others. + +Beware that `mockFn.mockRestore` only works when the mock was created with `jest.spyOn`. Thus you have to take care of restoration yourself when manually assigning `jest.fn()`. + +The [`restoreMocks`](configuration#restoremocks-boolean) configuration option is available to restore mocks automatically before each test. + +### `mockFn.mockImplementation(fn)` + +Accepts a function that should be used as the implementation of the mock. The mock itself will still record all calls that go into and instances that come from itself – the only difference is that the implementation will also be executed when the mock is called. + +_Note: `jest.fn(implementation)` is a shorthand for `jest.fn().mockImplementation(implementation)`._ + +For example: + +```js +const mockFn = jest.fn().mockImplementation(scalar => 42 + scalar); +// or: jest.fn(scalar => 42 + scalar); + +const a = mockFn(0); +const b = mockFn(1); + +a === 42; // true +b === 43; // true + +mockFn.mock.calls[0][0] === 0; // true +mockFn.mock.calls[1][0] === 1; // true +``` + +`mockImplementation` can also be used to mock class constructors: + +```js title="SomeClass.js" +module.exports = class SomeClass { + m(a, b) {} +}; +``` + +```js title="OtherModule.test.js" +jest.mock('./SomeClass'); // this happens automatically with automocking +const SomeClass = require('./SomeClass'); +const mMock = jest.fn(); +SomeClass.mockImplementation(() => { + return { + m: mMock, + }; +}); + +const some = new SomeClass(); +some.m('a', 'b'); +console.log('Calls to m: ', mMock.mock.calls); +``` + +### `mockFn.mockImplementationOnce(fn)` + +Accepts a function that will be used as an implementation of the mock for one call to the mocked function. Can be chained so that multiple function calls produce different results. + +```js +const myMockFn = jest + .fn() + .mockImplementationOnce(cb => cb(null, true)) + .mockImplementationOnce(cb => cb(null, false)); + +myMockFn((err, val) => console.log(val)); // true + +myMockFn((err, val) => console.log(val)); // false +``` + +When the mocked function runs out of implementations defined with mockImplementationOnce, it will execute the default implementation set with `jest.fn(() => defaultValue)` or `.mockImplementation(() => defaultValue)` if they were called: + +```js +const myMockFn = jest + .fn(() => 'default') + .mockImplementationOnce(() => 'first call') + .mockImplementationOnce(() => 'second call'); + +// 'first call', 'second call', 'default', 'default' +console.log(myMockFn(), myMockFn(), myMockFn(), myMockFn()); +``` + +### `mockFn.mockName(value)` + +Accepts a string to use in test result output in place of "jest.fn()" to indicate which mock function is being referenced. + +For example: + +```js +const mockFn = jest.fn().mockName('mockedFunction'); +// mockFn(); +expect(mockFn).toHaveBeenCalled(); +``` + +Will result in this error: + +``` +expect(mockedFunction).toHaveBeenCalled() + +Expected mock function "mockedFunction" to have been called, but it was not called. +``` + +### `mockFn.mockReturnThis()` + +Syntactic sugar function for: + +```js +jest.fn(function () { + return this; +}); +``` + +### `mockFn.mockReturnValue(value)` + +Accepts a value that will be returned whenever the mock function is called. + +```js +const mock = jest.fn(); +mock.mockReturnValue(42); +mock(); // 42 +mock.mockReturnValue(43); +mock(); // 43 +``` + +### `mockFn.mockReturnValueOnce(value)` + +Accepts a value that will be returned for one call to the mock function. Can be chained so that successive calls to the mock function return different values. When there are no more `mockReturnValueOnce` values to use, calls will return a value specified by `mockReturnValue`. + +```js +const myMockFn = jest + .fn() + .mockReturnValue('default') + .mockReturnValueOnce('first call') + .mockReturnValueOnce('second call'); + +// 'first call', 'second call', 'default', 'default' +console.log(myMockFn(), myMockFn(), myMockFn(), myMockFn()); +``` + +### `mockFn.mockResolvedValue(value)` + +Syntactic sugar function for: + +```js +jest.fn().mockImplementation(() => Promise.resolve(value)); +``` + +Useful to mock async functions in async tests: + +```js +test('async test', async () => { + const asyncMock = jest.fn().mockResolvedValue(43); + + await asyncMock(); // 43 +}); +``` + +### `mockFn.mockResolvedValueOnce(value)` + +Syntactic sugar function for: + +```js +jest.fn().mockImplementationOnce(() => Promise.resolve(value)); +``` + +Useful to resolve different values over multiple async calls: + +```js +test('async test', async () => { + const asyncMock = jest + .fn() + .mockResolvedValue('default') + .mockResolvedValueOnce('first call') + .mockResolvedValueOnce('second call'); + + await asyncMock(); // first call + await asyncMock(); // second call + await asyncMock(); // default + await asyncMock(); // default +}); +``` + +### `mockFn.mockRejectedValue(value)` + +Syntactic sugar function for: + +```js +jest.fn().mockImplementation(() => Promise.reject(value)); +``` + +Useful to create async mock functions that will always reject: + +```js +test('async test', async () => { + const asyncMock = jest.fn().mockRejectedValue(new Error('Async error')); + + await asyncMock(); // throws "Async error" +}); +``` + +### `mockFn.mockRejectedValueOnce(value)` + +Syntactic sugar function for: + +```js +jest.fn().mockImplementationOnce(() => Promise.reject(value)); +``` + +Example usage: + +```js +test('async test', async () => { + const asyncMock = jest + .fn() + .mockResolvedValueOnce('first call') + .mockRejectedValueOnce(new Error('Async error')); + + await asyncMock(); // first call + await asyncMock(); // throws "Async error" +}); +``` + +## TypeScript + +Jest itself is written in [TypeScript](https://www.typescriptlang.org). + +If you are using [Create React App](https://create-react-app.dev) then the [TypeScript template](https://create-react-app.dev/docs/adding-typescript/) has everything you need to start writing tests in TypeScript. + +Otherwise, please see our [Getting Started](GettingStarted.md#using-typescript) guide for to get setup with TypeScript. + +You can see an example of using Jest with TypeScript in our [GitHub repository](https://github.com/facebook/jest/tree/main/examples/typescript). + +### `jest.MockedFunction` + +> `jest.MockedFunction` is available in the `@types/jest` module from version `24.9.0`. + +The following examples will assume you have an understanding of how [Jest mock functions work with JavaScript](MockFunctions.md). + +You can use `jest.MockedFunction` to represent a function that has been replaced by a Jest mock. + +Example using [automatic `jest.mock`](JestObjectAPI.md#jestmockmodulename-factory-options): + +```ts +// Assume `add` is imported and used within `calculate`. +import add from './add'; +import calculate from './calc'; + +jest.mock('./add'); + +// Our mock of `add` is now fully typed +const mockAdd = add as jest.MockedFunction; + +test('calculate calls add', () => { + calculate('Add', 1, 2); + + expect(mockAdd).toBeCalledTimes(1); + expect(mockAdd).toBeCalledWith(1, 2); +}); +``` + +Example using [`jest.fn`](JestObjectAPI.md#jestfnimplementation): + +```ts +// Here `add` is imported for its type +import add from './add'; +import calculate from './calc'; + +test('calculate calls add', () => { + // Create a new mock that can be used in place of `add`. + const mockAdd = jest.fn() as jest.MockedFunction; + + // Note: You can use the `jest.fn` type directly like this if you want: + // const mockAdd = jest.fn, Parameters>(); + // `jest.MockedFunction` is a more friendly shortcut. + + // Now we can easily set up mock implementations. + // All the `.mock*` API can now give you proper types for `add`. + // https://jestjs.io/docs/mock-function-api + + // `.mockImplementation` can now infer that `a` and `b` are `number` + // and that the returned value is a `number`. + mockAdd.mockImplementation((a, b) => { + // Yes, this mock is still adding two numbers but imagine this + // was a complex function we are mocking. + return a + b; + }); + + // `mockAdd` is properly typed and therefore accepted by + // anything requiring `add`. + calculate(mockAdd, 1, 2); + + expect(mockAdd).toBeCalledTimes(1); + expect(mockAdd).toBeCalledWith(1, 2); +}); +``` + +### `jest.MockedClass` + +> `jest.MockedClass` is available in the `@types/jest` module from version `24.9.0`. + +The following examples will assume you have an understanding of how [Jest mock classes work with JavaScript](Es6ClassMocks.md). + +You can use `jest.MockedClass` to represent a class that has been replaced by a Jest mock. + +Converting the [ES6 Class automatic mock example](Es6ClassMocks.md#automatic-mock) would look like this: + +```ts +import SoundPlayer from '../sound-player'; +import SoundPlayerConsumer from '../sound-player-consumer'; + +jest.mock('../sound-player'); // SoundPlayer is now a mock constructor + +const SoundPlayerMock = SoundPlayer as jest.MockedClass; + +beforeEach(() => { + // Clear all instances and calls to constructor and all methods: + SoundPlayerMock.mockClear(); +}); + +it('We can check if the consumer called the class constructor', () => { + const soundPlayerConsumer = new SoundPlayerConsumer(); + expect(SoundPlayerMock).toHaveBeenCalledTimes(1); +}); + +it('We can check if the consumer called a method on the class instance', () => { + // Show that mockClear() is working: + expect(SoundPlayerMock).not.toHaveBeenCalled(); + + const soundPlayerConsumer = new SoundPlayerConsumer(); + // Constructor should have been called again: + expect(SoundPlayerMock).toHaveBeenCalledTimes(1); + + const coolSoundFileName = 'song.mp3'; + soundPlayerConsumer.playSomethingCool(); + + // mock.instances is available with automatic mocks: + const mockSoundPlayerInstance = SoundPlayerMock.mock.instances[0]; + + // However, it will not allow access to `.mock` in TypeScript as it + // is returning `SoundPlayer`. Instead, you can check the calls to a + // method like this fully typed: + expect(SoundPlayerMock.prototype.playSoundFile.mock.calls[0][0]).toEqual( + coolSoundFileName, + ); + // Equivalent to above check: + expect(SoundPlayerMock.prototype.playSoundFile).toHaveBeenCalledWith( + coolSoundFileName, + ); + expect(SoundPlayerMock.prototype.playSoundFile).toHaveBeenCalledTimes(1); +}); +``` diff --git a/website/versioned_docs/version-27.5/MockFunctions.md b/website/versioned_docs/version-27.5/MockFunctions.md new file mode 100644 index 000000000000..38870027a515 --- /dev/null +++ b/website/versioned_docs/version-27.5/MockFunctions.md @@ -0,0 +1,318 @@ +--- +id: mock-functions +title: Mock Functions +--- + +Mock functions allow you to test the links between code by erasing the actual implementation of a function, capturing calls to the function (and the parameters passed in those calls), capturing instances of constructor functions when instantiated with `new`, and allowing test-time configuration of return values. + +There are two ways to mock functions: Either by creating a mock function to use in test code, or writing a [`manual mock`](ManualMocks.md) to override a module dependency. + +## Using a mock function + +Let's imagine we're testing an implementation of a function `forEach`, which invokes a callback for each item in a supplied array. + +```javascript +function forEach(items, callback) { + for (let index = 0; index < items.length; index++) { + callback(items[index]); + } +} +``` + +To test this function, we can use a mock function, and inspect the mock's state to ensure the callback is invoked as expected. + +```javascript +const mockCallback = jest.fn(x => 42 + x); +forEach([0, 1], mockCallback); + +// The mock function is called twice +expect(mockCallback.mock.calls.length).toBe(2); + +// The first argument of the first call to the function was 0 +expect(mockCallback.mock.calls[0][0]).toBe(0); + +// The first argument of the second call to the function was 1 +expect(mockCallback.mock.calls[1][0]).toBe(1); + +// The return value of the first call to the function was 42 +expect(mockCallback.mock.results[0].value).toBe(42); +``` + +## `.mock` property + +All mock functions have this special `.mock` property, which is where data about how the function has been called and what the function returned is kept. The `.mock` property also tracks the value of `this` for each call, so it is possible to inspect this as well: + +```javascript +const myMock = jest.fn(); + +const a = new myMock(); +const b = {}; +const bound = myMock.bind(b); +bound(); + +console.log(myMock.mock.instances); +// > [ , ] +``` + +These mock members are very useful in tests to assert how these functions get called, instantiated, or what they returned: + +```javascript +// The function was called exactly once +expect(someMockFunction.mock.calls.length).toBe(1); + +// The first arg of the first call to the function was 'first arg' +expect(someMockFunction.mock.calls[0][0]).toBe('first arg'); + +// The second arg of the first call to the function was 'second arg' +expect(someMockFunction.mock.calls[0][1]).toBe('second arg'); + +// The return value of the first call to the function was 'return value' +expect(someMockFunction.mock.results[0].value).toBe('return value'); + +// This function was instantiated exactly twice +expect(someMockFunction.mock.instances.length).toBe(2); + +// The object returned by the first instantiation of this function +// had a `name` property whose value was set to 'test' +expect(someMockFunction.mock.instances[0].name).toEqual('test'); + +// The first argument of the last call to the function was 'test' +expect(someMockFunction.mock.lastCall[0]).toBe('test'); +``` + +## Mock Return Values + +Mock functions can also be used to inject test values into your code during a test: + +```javascript +const myMock = jest.fn(); +console.log(myMock()); +// > undefined + +myMock.mockReturnValueOnce(10).mockReturnValueOnce('x').mockReturnValue(true); + +console.log(myMock(), myMock(), myMock(), myMock()); +// > 10, 'x', true, true +``` + +Mock functions are also very effective in code that uses a functional continuation-passing style. Code written in this style helps avoid the need for complicated stubs that recreate the behavior of the real component they're standing in for, in favor of injecting values directly into the test right before they're used. + +```javascript +const filterTestFn = jest.fn(); + +// Make the mock return `true` for the first call, +// and `false` for the second call +filterTestFn.mockReturnValueOnce(true).mockReturnValueOnce(false); + +const result = [11, 12].filter(num => filterTestFn(num)); + +console.log(result); +// > [11] +console.log(filterTestFn.mock.calls[0][0]); // 11 +console.log(filterTestFn.mock.calls[1][0]); // 12 +``` + +Most real-world examples actually involve getting ahold of a mock function on a dependent component and configuring that, but the technique is the same. In these cases, try to avoid the temptation to implement logic inside of any function that's not directly being tested. + +## Mocking Modules + +Suppose we have a class that fetches users from our API. The class uses [axios](https://github.com/axios/axios) to call the API then returns the `data` attribute which contains all the users: + +```js title="users.js" +import axios from 'axios'; + +class Users { + static all() { + return axios.get('/users.json').then(resp => resp.data); + } +} + +export default Users; +``` + +Now, in order to test this method without actually hitting the API (and thus creating slow and fragile tests), we can use the `jest.mock(...)` function to automatically mock the axios module. + +Once we mock the module we can provide a `mockResolvedValue` for `.get` that returns the data we want our test to assert against. In effect, we are saying that we want `axios.get('/users.json')` to return a fake response. + +```js title="users.test.js" +import axios from 'axios'; +import Users from './users'; + +jest.mock('axios'); + +test('should fetch users', () => { + const users = [{name: 'Bob'}]; + const resp = {data: users}; + axios.get.mockResolvedValue(resp); + + // or you could use the following depending on your use case: + // axios.get.mockImplementation(() => Promise.resolve(resp)) + + return Users.all().then(data => expect(data).toEqual(users)); +}); +``` + +## Mocking Partials + +Subsets of a module can be mocked and the rest of the module can keep their actual implementation: + +```js title="foo-bar-baz.js" +export const foo = 'foo'; +export const bar = () => 'bar'; +export default () => 'baz'; +``` + +```js +//test.js +import defaultExport, {bar, foo} from '../foo-bar-baz'; + +jest.mock('../foo-bar-baz', () => { + const originalModule = jest.requireActual('../foo-bar-baz'); + + //Mock the default export and named export 'foo' + return { + __esModule: true, + ...originalModule, + default: jest.fn(() => 'mocked baz'), + foo: 'mocked foo', + }; +}); + +test('should do a partial mock', () => { + const defaultExportResult = defaultExport(); + expect(defaultExportResult).toBe('mocked baz'); + expect(defaultExport).toHaveBeenCalled(); + + expect(foo).toBe('mocked foo'); + expect(bar()).toBe('bar'); +}); +``` + +## Mock Implementations + +Still, there are cases where it's useful to go beyond the ability to specify return values and full-on replace the implementation of a mock function. This can be done with `jest.fn` or the `mockImplementationOnce` method on mock functions. + +```javascript +const myMockFn = jest.fn(cb => cb(null, true)); + +myMockFn((err, val) => console.log(val)); +// > true +``` + +The `mockImplementation` method is useful when you need to define the default implementation of a mock function that is created from another module: + +```js title="foo.js" +module.exports = function () { + // some implementation; +}; +``` + +```js title="test.js" +jest.mock('../foo'); // this happens automatically with automocking +const foo = require('../foo'); + +// foo is a mock function +foo.mockImplementation(() => 42); +foo(); +// > 42 +``` + +When you need to recreate a complex behavior of a mock function such that multiple function calls produce different results, use the `mockImplementationOnce` method: + +```javascript +const myMockFn = jest + .fn() + .mockImplementationOnce(cb => cb(null, true)) + .mockImplementationOnce(cb => cb(null, false)); + +myMockFn((err, val) => console.log(val)); +// > true + +myMockFn((err, val) => console.log(val)); +// > false +``` + +When the mocked function runs out of implementations defined with `mockImplementationOnce`, it will execute the default implementation set with `jest.fn` (if it is defined): + +```javascript +const myMockFn = jest + .fn(() => 'default') + .mockImplementationOnce(() => 'first call') + .mockImplementationOnce(() => 'second call'); + +console.log(myMockFn(), myMockFn(), myMockFn(), myMockFn()); +// > 'first call', 'second call', 'default', 'default' +``` + +For cases where we have methods that are typically chained (and thus always need to return `this`), we have a sugary API to simplify this in the form of a `.mockReturnThis()` function that also sits on all mocks: + +```javascript +const myObj = { + myMethod: jest.fn().mockReturnThis(), +}; + +// is the same as + +const otherObj = { + myMethod: jest.fn(function () { + return this; + }), +}; +``` + +## Mock Names + +You can optionally provide a name for your mock functions, which will be displayed instead of "jest.fn()" in the test error output. Use this if you want to be able to quickly identify the mock function reporting an error in your test output. + +```javascript +const myMockFn = jest + .fn() + .mockReturnValue('default') + .mockImplementation(scalar => 42 + scalar) + .mockName('add42'); +``` + +## Custom Matchers + +Finally, in order to make it less demanding to assert how mock functions have been called, we've added some custom matcher functions for you: + +```javascript +// The mock function was called at least once +expect(mockFunc).toHaveBeenCalled(); + +// The mock function was called at least once with the specified args +expect(mockFunc).toHaveBeenCalledWith(arg1, arg2); + +// The last call to the mock function was called with the specified args +expect(mockFunc).toHaveBeenLastCalledWith(arg1, arg2); + +// All calls and the name of the mock is written as a snapshot +expect(mockFunc).toMatchSnapshot(); +``` + +These matchers are sugar for common forms of inspecting the `.mock` property. You can always do this manually yourself if that's more to your taste or if you need to do something more specific: + +```javascript +// The mock function was called at least once +expect(mockFunc.mock.calls.length).toBeGreaterThan(0); + +// The mock function was called at least once with the specified args +expect(mockFunc.mock.calls).toContainEqual([arg1, arg2]); + +// The last call to the mock function was called with the specified args +expect(mockFunc.mock.calls[mockFunc.mock.calls.length - 1]).toEqual([ + arg1, + arg2, +]); + +// The first arg of the last call to the mock function was `42` +// (note that there is no sugar helper for this specific of an assertion) +expect(mockFunc.mock.calls[mockFunc.mock.calls.length - 1][0]).toBe(42); + +// A snapshot will check that a mock was invoked the same number of times, +// in the same order, with the same arguments. It will also assert on the name. +expect(mockFunc.mock.calls).toEqual([[arg1, arg2]]); +expect(mockFunc.getMockName()).toBe('a mock name'); +``` + +For a complete list of matchers, check out the [reference docs](ExpectAPI.md). diff --git a/website/versioned_docs/version-27.5/MongoDB.md b/website/versioned_docs/version-27.5/MongoDB.md new file mode 100644 index 000000000000..3610da622673 --- /dev/null +++ b/website/versioned_docs/version-27.5/MongoDB.md @@ -0,0 +1,61 @@ +--- +id: mongodb +title: Using with MongoDB +--- + +With the [Global Setup/Teardown](Configuration.md#globalsetup-string) and [Async Test Environment](Configuration.md#testenvironment-string) APIs, Jest can work smoothly with [MongoDB](https://www.mongodb.com/). + +## Use jest-mongodb Preset + +[Jest MongoDB](https://github.com/shelfio/jest-mongodb) provides all required configuration to run your tests using MongoDB. + +1. First install `@shelf/jest-mongodb` + +``` +yarn add @shelf/jest-mongodb --dev +``` + +2. Specify preset in your Jest configuration: + +```json +{ + "preset": "@shelf/jest-mongodb" +} +``` + +3. Write your test + +```js +const {MongoClient} = require('mongodb'); + +describe('insert', () => { + let connection; + let db; + + beforeAll(async () => { + connection = await MongoClient.connect(global.__MONGO_URI__, { + useNewUrlParser: true, + }); + db = await connection.db(global.__MONGO_DB_NAME__); + }); + + afterAll(async () => { + await connection.close(); + await db.close(); + }); + + it('should insert a doc into collection', async () => { + const users = db.collection('users'); + + const mockUser = {_id: 'some-user-id', name: 'John'}; + await users.insertOne(mockUser); + + const insertedUser = await users.findOne({_id: 'some-user-id'}); + expect(insertedUser).toEqual(mockUser); + }); +}); +``` + +There's no need to load any dependencies. + +See [documentation](https://github.com/shelfio/jest-mongodb) for details (configuring MongoDB version, etc). diff --git a/website/versioned_docs/version-27.5/MoreResources.md b/website/versioned_docs/version-27.5/MoreResources.md new file mode 100644 index 000000000000..e4509d53281f --- /dev/null +++ b/website/versioned_docs/version-27.5/MoreResources.md @@ -0,0 +1,24 @@ +--- +id: more-resources +title: More Resources +--- + +By now you should have a good idea of how Jest can help you test your applications. If you're interested in learning more, here's some related stuff you might want to check out. + +## Browse the docs + +- Learn about [Snapshot Testing](SnapshotTesting.md), [Mock Functions](MockFunctions.md), and more in our in-depth guides. +- Migrate your existing tests to Jest by following our [migration guide](MigrationGuide.md). +- Learn how to [configure Jest](Configuration.md). +- Look at the full [API Reference](GlobalAPI.md). +- [Troubleshoot](Troubleshooting.md) problems with Jest. + +## Learn by example + +You will find a number of example test cases in the [`examples`](https://github.com/facebook/jest/tree/main/examples) folder on GitHub. You can also learn from the excellent tests used by the [React](https://github.com/facebook/react/tree/main/packages/react/src/__tests__), [Relay](https://github.com/facebook/relay/tree/main/packages/react-relay/__tests__), and [React Native](https://github.com/facebook/react-native/tree/main/Libraries/Animated/src/__tests__) projects. + +## Join the community + +Ask questions and find answers from other Jest users like you. [Reactiflux](https://discord.gg/j6FKKQQrW9) is a Discord chat where a lot of Jest discussion happens. Check out the `#testing` channel. + +Follow the [Jest Twitter account](https://twitter.com/fbjest) and [blog](/blog/) to find out what's happening in the world of Jest. diff --git a/website/versioned_docs/version-27.5/Puppeteer.md b/website/versioned_docs/version-27.5/Puppeteer.md new file mode 100644 index 000000000000..16ab669a9ab2 --- /dev/null +++ b/website/versioned_docs/version-27.5/Puppeteer.md @@ -0,0 +1,168 @@ +--- +id: puppeteer +title: Using with puppeteer +--- + +With the [Global Setup/Teardown](Configuration.md#globalsetup-string) and [Async Test Environment](Configuration.md#testenvironment-string) APIs, Jest can work smoothly with [puppeteer](https://github.com/GoogleChrome/puppeteer). + +> Generating code coverage for test files using Puppeteer is currently not possible if your test uses `page.$eval`, `page.$$eval` or `page.evaluate` as the passed function is executed outside of Jest's scope. Check out [issue #7962](https://github.com/facebook/jest/issues/7962#issuecomment-495272339) on GitHub for a workaround. + +## Use jest-puppeteer Preset + +[Jest Puppeteer](https://github.com/smooth-code/jest-puppeteer) provides all required configuration to run your tests using Puppeteer. + +1. First, install `jest-puppeteer` + +``` +yarn add --dev jest-puppeteer +``` + +2. Specify preset in your [Jest configuration](Configuration.md): + +```json +{ + "preset": "jest-puppeteer" +} +``` + +3. Write your test + +```js +describe('Google', () => { + beforeAll(async () => { + await page.goto('https://google.com'); + }); + + it('should be titled "Google"', async () => { + await expect(page.title()).resolves.toMatch('Google'); + }); +}); +``` + +There's no need to load any dependencies. Puppeteer's `page` and `browser` classes will automatically be exposed + +See [documentation](https://github.com/smooth-code/jest-puppeteer). + +## Custom example without jest-puppeteer preset + +You can also hook up puppeteer from scratch. The basic idea is to: + +1. launch & file the websocket endpoint of puppeteer with Global Setup +2. connect to puppeteer from each Test Environment +3. close puppeteer with Global Teardown + +Here's an example of the GlobalSetup script + +```js title="setup.js" +const {mkdir, writeFile} = require('fs').promises; +const os = require('os'); +const path = require('path'); +const puppeteer = require('puppeteer'); + +const DIR = path.join(os.tmpdir(), 'jest_puppeteer_global_setup'); + +module.exports = async function () { + const browser = await puppeteer.launch(); + // store the browser instance so we can teardown it later + // this global is only available in the teardown but not in TestEnvironments + global.__BROWSER_GLOBAL__ = browser; + + // use the file system to expose the wsEndpoint for TestEnvironments + await mkdir(DIR, {recursive: true}); + await writeFile(path.join(DIR, 'wsEndpoint'), browser.wsEndpoint()); +}; +``` + +Then we need a custom Test Environment for puppeteer + +```js title="puppeteer_environment.js" +const {readFile} = require('fs').promises; +const os = require('os'); +const path = require('path'); +const puppeteer = require('puppeteer'); +const NodeEnvironment = require('jest-environment-node'); + +const DIR = path.join(os.tmpdir(), 'jest_puppeteer_global_setup'); + +class PuppeteerEnvironment extends NodeEnvironment { + constructor(config) { + super(config); + } + + async setup() { + await super.setup(); + // get the wsEndpoint + const wsEndpoint = await readFile(path.join(DIR, 'wsEndpoint'), 'utf8'); + if (!wsEndpoint) { + throw new Error('wsEndpoint not found'); + } + + // connect to puppeteer + this.global.__BROWSER__ = await puppeteer.connect({ + browserWSEndpoint: wsEndpoint, + }); + } + + async teardown() { + await super.teardown(); + } + + getVmContext() { + return super.getVmContext(); + } +} + +module.exports = PuppeteerEnvironment; +``` + +Finally, we can close the puppeteer instance and clean-up the file + +```js title="teardown.js" +const fs = require('fs').promises; +const os = require('os'); +const path = require('path'); + +const DIR = path.join(os.tmpdir(), 'jest_puppeteer_global_setup'); +module.exports = async function () { + // close the browser instance + await global.__BROWSER_GLOBAL__.close(); + + // clean-up the wsEndpoint file + await fs.rm(DIR, {recursive: true, force: true}); +}; +``` + +With all the things set up, we can now write our tests like this: + +```js title="test.js" +const timeout = 5000; + +describe( + '/ (Home Page)', + () => { + let page; + beforeAll(async () => { + page = await global.__BROWSER__.newPage(); + await page.goto('https://google.com'); + }, timeout); + + it('should load without error', async () => { + const text = await page.evaluate(() => document.body.textContent); + expect(text).toContain('google'); + }); + }, + timeout, +); +``` + +Finally, set `jest.config.js` to read from these files. (The `jest-puppeteer` preset does something like this under the hood.) + +```js +module.exports = { + globalSetup: './setup.js', + globalTeardown: './teardown.js', + testEnvironment: './puppeteer_environment.js', +}; +``` + +Here's the code of [full working example](https://github.com/xfumihiro/jest-puppeteer-example). diff --git a/website/versioned_docs/version-27.5/SetupAndTeardown.md b/website/versioned_docs/version-27.5/SetupAndTeardown.md new file mode 100644 index 000000000000..131376d0de6f --- /dev/null +++ b/website/versioned_docs/version-27.5/SetupAndTeardown.md @@ -0,0 +1,190 @@ +--- +id: setup-teardown +title: Setup and Teardown +--- + +Often while writing tests you have some setup work that needs to happen before tests run, and you have some finishing work that needs to happen after tests run. Jest provides helper functions to handle this. + +## Repeating Setup For Many Tests + +If you have some work you need to do repeatedly for many tests, you can use `beforeEach` and `afterEach`. + +For example, let's say that several tests interact with a database of cities. You have a method `initializeCityDatabase()` that must be called before each of these tests, and a method `clearCityDatabase()` that must be called after each of these tests. You can do this with: + +```js +beforeEach(() => { + initializeCityDatabase(); +}); + +afterEach(() => { + clearCityDatabase(); +}); + +test('city database has Vienna', () => { + expect(isCity('Vienna')).toBeTruthy(); +}); + +test('city database has San Juan', () => { + expect(isCity('San Juan')).toBeTruthy(); +}); +``` + +`beforeEach` and `afterEach` can handle asynchronous code in the same ways that [tests can handle asynchronous code](TestingAsyncCode.md) - they can either take a `done` parameter or return a promise. For example, if `initializeCityDatabase()` returned a promise that resolved when the database was initialized, we would want to return that promise: + +```js +beforeEach(() => { + return initializeCityDatabase(); +}); +``` + +## One-Time Setup + +In some cases, you only need to do setup once, at the beginning of a file. This can be especially bothersome when the setup is asynchronous, so you can't do it inline. Jest provides `beforeAll` and `afterAll` to handle this situation. + +For example, if both `initializeCityDatabase` and `clearCityDatabase` returned promises, and the city database could be reused between tests, we could change our test code to: + +```js +beforeAll(() => { + return initializeCityDatabase(); +}); + +afterAll(() => { + return clearCityDatabase(); +}); + +test('city database has Vienna', () => { + expect(isCity('Vienna')).toBeTruthy(); +}); + +test('city database has San Juan', () => { + expect(isCity('San Juan')).toBeTruthy(); +}); +``` + +## Scoping + +By default, the `beforeAll` and `afterAll` blocks apply to every test in a file. You can also group tests together using a `describe` block. When they are inside a `describe` block, the `beforeAll` and `afterAll` blocks only apply to the tests within that `describe` block. + +For example, let's say we had not just a city database, but also a food database. We could do different setup for different tests: + +```js +// Applies to all tests in this file +beforeEach(() => { + return initializeCityDatabase(); +}); + +test('city database has Vienna', () => { + expect(isCity('Vienna')).toBeTruthy(); +}); + +test('city database has San Juan', () => { + expect(isCity('San Juan')).toBeTruthy(); +}); + +describe('matching cities to foods', () => { + // Applies only to tests in this describe block + beforeEach(() => { + return initializeFoodDatabase(); + }); + + test('Vienna <3 veal', () => { + expect(isValidCityFoodPair('Vienna', 'Wiener Schnitzel')).toBe(true); + }); + + test('San Juan <3 plantains', () => { + expect(isValidCityFoodPair('San Juan', 'Mofongo')).toBe(true); + }); +}); +``` + +Note that the top-level `beforeEach` is executed before the `beforeEach` inside the `describe` block. It may help to illustrate the order of execution of all hooks. + +```js +beforeAll(() => console.log('1 - beforeAll')); +afterAll(() => console.log('1 - afterAll')); +beforeEach(() => console.log('1 - beforeEach')); +afterEach(() => console.log('1 - afterEach')); +test('', () => console.log('1 - test')); +describe('Scoped / Nested block', () => { + beforeAll(() => console.log('2 - beforeAll')); + afterAll(() => console.log('2 - afterAll')); + beforeEach(() => console.log('2 - beforeEach')); + afterEach(() => console.log('2 - afterEach')); + test('', () => console.log('2 - test')); +}); + +// 1 - beforeAll +// 1 - beforeEach +// 1 - test +// 1 - afterEach +// 2 - beforeAll +// 1 - beforeEach +// 2 - beforeEach +// 2 - test +// 2 - afterEach +// 1 - afterEach +// 2 - afterAll +// 1 - afterAll +``` + +## Order of execution of describe and test blocks + +Jest executes all describe handlers in a test file _before_ it executes any of the actual tests. This is another reason to do setup and teardown inside `before*` and `after*` handlers rather than inside the describe blocks. Once the describe blocks are complete, by default Jest runs all the tests serially in the order they were encountered in the collection phase, waiting for each to finish and be tidied up before moving on. + +Consider the following illustrative test file and output: + +```js +describe('outer', () => { + console.log('describe outer-a'); + + describe('describe inner 1', () => { + console.log('describe inner 1'); + test('test 1', () => { + console.log('test for describe inner 1'); + expect(true).toEqual(true); + }); + }); + + console.log('describe outer-b'); + + test('test 1', () => { + console.log('test for describe outer'); + expect(true).toEqual(true); + }); + + describe('describe inner 2', () => { + console.log('describe inner 2'); + test('test for describe inner 2', () => { + console.log('test for describe inner 2'); + expect(false).toEqual(false); + }); + }); + + console.log('describe outer-c'); +}); + +// describe outer-a +// describe inner 1 +// describe outer-b +// describe inner 2 +// describe outer-c +// test for describe inner 1 +// test for describe outer +// test for describe inner 2 +``` + +## General Advice + +If a test is failing, one of the first things to check should be whether the test is failing when it's the only test that runs. To run only one test with Jest, temporarily change that `test` command to a `test.only`: + +```js +test.only('this will be the only test that runs', () => { + expect(true).toBe(false); +}); + +test('this test will not run', () => { + expect('A').toBe('A'); +}); +``` + +If you have a test that often fails when it's run as part of a larger suite, but doesn't fail when you run it alone, it's a good bet that something from a different test is interfering with this one. You can often fix this by clearing some shared state with `beforeEach`. If you're not sure whether some shared state is being modified, you can also try a `beforeEach` that logs data. diff --git a/website/versioned_docs/version-27.5/SnapshotTesting.md b/website/versioned_docs/version-27.5/SnapshotTesting.md new file mode 100644 index 000000000000..004ace393d13 --- /dev/null +++ b/website/versioned_docs/version-27.5/SnapshotTesting.md @@ -0,0 +1,314 @@ +--- +id: snapshot-testing +title: Snapshot Testing +--- + +Snapshot tests are a very useful tool whenever you want to make sure your UI does not change unexpectedly. + +A typical snapshot test case renders a UI component, takes a snapshot, then compares it to a reference snapshot file stored alongside the test. The test will fail if the two snapshots do not match: either the change is unexpected, or the reference snapshot needs to be updated to the new version of the UI component. + +## Snapshot Testing with Jest + +A similar approach can be taken when it comes to testing your React components. Instead of rendering the graphical UI, which would require building the entire app, you can use a test renderer to quickly generate a serializable value for your React tree. Consider this [example test](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/link.test.js) for a [Link component](https://github.com/facebook/jest/blob/main/examples/snapshot/Link.js): + +```tsx +import React from 'react'; +import renderer from 'react-test-renderer'; +import Link from '../Link'; + +it('renders correctly', () => { + const tree = renderer + .create(Facebook) + .toJSON(); + expect(tree).toMatchSnapshot(); +}); +``` + +The first time this test is run, Jest creates a [snapshot file](https://github.com/facebook/jest/blob/main/examples/snapshot/__tests__/__snapshots__/link.test.js.snap) that looks like this: + +```javascript +exports[`renders correctly 1`] = ` + + Facebook + +`; +``` + +The snapshot artifact should be committed alongside code changes, and reviewed as part of your code review process. Jest uses [pretty-format](https://github.com/facebook/jest/tree/main/packages/pretty-format) to make snapshots human-readable during code review. On subsequent test runs, Jest will compare the rendered output with the previous snapshot. If they match, the test will pass. If they don't match, either the test runner found a bug in your code (in the `` component in this case) that should be fixed, or the implementation has changed and the snapshot needs to be updated. + +> Note: The snapshot is directly scoped to the data you render – in our example the `` component with `page` prop passed to it. This implies that even if any other file has missing props (Say, `App.js`) in the `` component, it will still pass the test as the test doesn't know the usage of `` component and it's scoped only to the `Link.js`. Also, rendering the same component with different props in other snapshot tests will not affect the first one, as the tests don't know about each other. + +More information on how snapshot testing works and why we built it can be found on the [release blog post](/blog/2016/07/27/jest-14). We recommend reading [this blog post](http://benmccormick.org/2016/09/19/testing-with-jest-snapshots-first-impressions/) to get a good sense of when you should use snapshot testing. We also recommend watching this [egghead video](https://egghead.io/lessons/javascript-use-jest-s-snapshot-testing-feature?pl=testing-javascript-with-jest-a36c4074) on Snapshot Testing with Jest. + +### Updating Snapshots + +It's straightforward to spot when a snapshot test fails after a bug has been introduced. When that happens, go ahead and fix the issue and make sure your snapshot tests are passing again. Now, let's talk about the case when a snapshot test is failing due to an intentional implementation change. + +One such situation can arise if we intentionally change the address the Link component in our example is pointing to. + +```tsx +// Updated test case with a Link to a different address +it('renders correctly', () => { + const tree = renderer + .create(Instagram) + .toJSON(); + expect(tree).toMatchSnapshot(); +}); +``` + +In that case, Jest will print this output: + +![](/img/content/failedSnapshotTest.png) + +Since we just updated our component to point to a different address, it's reasonable to expect changes in the snapshot for this component. Our snapshot test case is failing because the snapshot for our updated component no longer matches the snapshot artifact for this test case. + +To resolve this, we will need to update our snapshot artifacts. You can run Jest with a flag that will tell it to re-generate snapshots: + +```bash +jest --updateSnapshot +``` + +Go ahead and accept the changes by running the above command. You may also use the equivalent single-character `-u` flag to re-generate snapshots if you prefer. This will re-generate snapshot artifacts for all failing snapshot tests. If we had any additional failing snapshot tests due to an unintentional bug, we would need to fix the bug before re-generating snapshots to avoid recording snapshots of the buggy behavior. + +If you'd like to limit which snapshot test cases get re-generated, you can pass an additional `--testNamePattern` flag to re-record snapshots only for those tests that match the pattern. + +You can try out this functionality by cloning the [snapshot example](https://github.com/facebook/jest/tree/main/examples/snapshot), modifying the `Link` component, and running Jest. + +### Interactive Snapshot Mode + +Failed snapshots can also be updated interactively in watch mode: + +![](/img/content/interactiveSnapshot.png) + +Once you enter Interactive Snapshot Mode, Jest will step you through the failed snapshots one test at a time and give you the opportunity to review the failed output. + +From here you can choose to update that snapshot or skip to the next: + +![](/img/content/interactiveSnapshotUpdate.gif) + +Once you're finished, Jest will give you a summary before returning back to watch mode: + +![](/img/content/interactiveSnapshotDone.png) + +### Inline Snapshots + +Inline snapshots behave identically to external snapshots (`.snap` files), except the snapshot values are written automatically back into the source code. This means you can get the benefits of automatically generated snapshots without having to switch to an external file to make sure the correct value was written. + +**Example:** + +First, you write a test, calling `.toMatchInlineSnapshot()` with no arguments: + +```tsx +it('renders correctly', () => { + const tree = renderer + .create(Example Site) + .toJSON(); + expect(tree).toMatchInlineSnapshot(); +}); +``` + +The next time you run Jest, `tree` will be evaluated, and a snapshot will be written as an argument to `toMatchInlineSnapshot`: + +```tsx +it('renders correctly', () => { + const tree = renderer + .create(Example Site) + .toJSON(); + expect(tree).toMatchInlineSnapshot(` + + Example Site + +`); +}); +``` + +That's all there is to it! You can even update the snapshots with `--updateSnapshot` or using the `u` key in `--watch` mode. + +### Property Matchers + +Often there are fields in the object you want to snapshot which are generated (like IDs and Dates). If you try to snapshot these objects, they will force the snapshot to fail on every run: + +```javascript +it('will fail every time', () => { + const user = { + createdAt: new Date(), + id: Math.floor(Math.random() * 20), + name: 'LeBron James', + }; + + expect(user).toMatchSnapshot(); +}); + +// Snapshot +exports[`will fail every time 1`] = ` +Object { + "createdAt": 2018-05-19T23:36:09.816Z, + "id": 3, + "name": "LeBron James", +} +`; +``` + +For these cases, Jest allows providing an asymmetric matcher for any property. These matchers are checked before the snapshot is written or tested, and then saved to the snapshot file instead of the received value: + +```javascript +it('will check the matchers and pass', () => { + const user = { + createdAt: new Date(), + id: Math.floor(Math.random() * 20), + name: 'LeBron James', + }; + + expect(user).toMatchSnapshot({ + createdAt: expect.any(Date), + id: expect.any(Number), + }); +}); + +// Snapshot +exports[`will check the matchers and pass 1`] = ` +Object { + "createdAt": Any, + "id": Any, + "name": "LeBron James", +} +`; +``` + +Any given value that is not a matcher will be checked exactly and saved to the snapshot: + +```javascript +it('will check the values and pass', () => { + const user = { + createdAt: new Date(), + name: 'Bond... James Bond', + }; + + expect(user).toMatchSnapshot({ + createdAt: expect.any(Date), + name: 'Bond... James Bond', + }); +}); + +// Snapshot +exports[`will check the values and pass 1`] = ` +Object { + "createdAt": Any, + "name": 'Bond... James Bond', +} +`; +``` + +## Best Practices + +Snapshots are a fantastic tool for identifying unexpected interface changes within your application – whether that interface is an API response, UI, logs, or error messages. As with any testing strategy, there are some best-practices you should be aware of, and guidelines you should follow, in order to use them effectively. + +### 1. Treat snapshots as code + +Commit snapshots and review them as part of your regular code review process. This means treating snapshots as you would any other type of test or code in your project. + +Ensure that your snapshots are readable by keeping them focused, short, and by using tools that enforce these stylistic conventions. + +As mentioned previously, Jest uses [`pretty-format`](https://yarnpkg.com/en/package/pretty-format) to make snapshots human-readable, but you may find it useful to introduce additional tools, like [`eslint-plugin-jest`](https://yarnpkg.com/en/package/eslint-plugin-jest) with its [`no-large-snapshots`](https://github.com/jest-community/eslint-plugin-jest/blob/main/docs/rules/no-large-snapshots.md) option, or [`snapshot-diff`](https://yarnpkg.com/en/package/snapshot-diff) with its component snapshot comparison feature, to promote committing short, focused assertions. + +The goal is to make it easy to review snapshots in pull requests, and fight against the habit of regenerating snapshots when test suites fail instead of examining the root causes of their failure. + +### 2. Tests should be deterministic + +Your tests should be deterministic. Running the same tests multiple times on a component that has not changed should produce the same results every time. You're responsible for making sure your generated snapshots do not include platform specific or other non-deterministic data. + +For example, if you have a [Clock](https://github.com/facebook/jest/blob/main/examples/snapshot/Clock.js) component that uses `Date.now()`, the snapshot generated from this component will be different every time the test case is run. In this case we can [mock the Date.now() method](MockFunctions.md) to return a consistent value every time the test is run: + +```js +Date.now = jest.fn(() => 1482363367071); +``` + +Now, every time the snapshot test case runs, `Date.now()` will return `1482363367071` consistently. This will result in the same snapshot being generated for this component regardless of when the test is run. + +### 3. Use descriptive snapshot names + +Always strive to use descriptive test and/or snapshot names for snapshots. The best names describe the expected snapshot content. This makes it easier for reviewers to verify the snapshots during review, and for anyone to know whether or not an outdated snapshot is the correct behavior before updating. + +For example, compare: + +```js +exports[` should handle some test case`] = `null`; + +exports[` should handle some other test case`] = ` +
+ Alan Turing +
+`; +``` + +To: + +```js +exports[` should render null`] = `null`; + +exports[` should render Alan Turing`] = ` +
+ Alan Turing +
+`; +``` + +Since the later describes exactly what's expected in the output, it's more clear to see when it's wrong: + +```js +exports[` should render null`] = ` +
+ Alan Turing +
+`; + +exports[` should render Alan Turing`] = `null`; +``` + +## Frequently Asked Questions + +### Are snapshots written automatically on Continuous Integration (CI) systems? + +No, as of Jest 20, snapshots in Jest are not automatically written when Jest is run in a CI system without explicitly passing `--updateSnapshot`. It is expected that all snapshots are part of the code that is run on CI and since new snapshots automatically pass, they should not pass a test run on a CI system. It is recommended to always commit all snapshots and to keep them in version control. + +### Should snapshot files be committed? + +Yes, all snapshot files should be committed alongside the modules they are covering and their tests. They should be considered part of a test, similar to the value of any other assertion in Jest. In fact, snapshots represent the state of the source modules at any given point in time. In this way, when the source modules are modified, Jest can tell what changed from the previous version. It can also provide a lot of additional context during code review in which reviewers can study your changes better. + +### Does snapshot testing only work with React components? + +[React](TutorialReact.md) and [React Native](TutorialReactNative.md) components are a good use case for snapshot testing. However, snapshots can capture any serializable value and should be used anytime the goal is testing whether the output is correct. The Jest repository contains many examples of testing the output of Jest itself, the output of Jest's assertion library as well as log messages from various parts of the Jest codebase. See an example of [snapshotting CLI output](https://github.com/facebook/jest/blob/main/e2e/__tests__/console.test.ts) in the Jest repo. + +### What's the difference between snapshot testing and visual regression testing? + +Snapshot testing and visual regression testing are two distinct ways of testing UIs, and they serve different purposes. Visual regression testing tools take screenshots of web pages and compare the resulting images pixel by pixel. With Snapshot testing values are serialized, stored within text files, and compared using a diff algorithm. There are different trade-offs to consider and we listed the reasons why snapshot testing was built in the [Jest blog](/blog/2016/07/27/jest-14#why-snapshot-testing). + +### Does snapshot testing replace unit testing? + +Snapshot testing is only one of more than 20 assertions that ship with Jest. The aim of snapshot testing is not to replace existing unit tests, but to provide additional value and make testing painless. In some scenarios, snapshot testing can potentially remove the need for unit testing for a particular set of functionalities (e.g. React components), but they can work together as well. + +### What is the performance of snapshot testing regarding speed and size of the generated files? + +Jest has been rewritten with performance in mind, and snapshot testing is not an exception. Since snapshots are stored within text files, this way of testing is fast and reliable. Jest generates a new file for each test file that invokes the `toMatchSnapshot` matcher. The size of the snapshots is pretty small: For reference, the size of all snapshot files in the Jest codebase itself is less than 300 KB. + +### How do I resolve conflicts within snapshot files? + +Snapshot files must always represent the current state of the modules they are covering. Therefore, if you are merging two branches and encounter a conflict in the snapshot files, you can either resolve the conflict manually or update the snapshot file by running Jest and inspecting the result. + +### Is it possible to apply test-driven development principles with snapshot testing? + +Although it is possible to write snapshot files manually, that is usually not approachable. Snapshots help to figure out whether the output of the modules covered by tests is changed, rather than giving guidance to design the code in the first place. + +### Does code coverage work with snapshot testing? + +Yes, as well as with any other test. diff --git a/website/versioned_docs/version-27.5/TestingAsyncCode.md b/website/versioned_docs/version-27.5/TestingAsyncCode.md new file mode 100644 index 000000000000..2352de9a38c3 --- /dev/null +++ b/website/versioned_docs/version-27.5/TestingAsyncCode.md @@ -0,0 +1,129 @@ +--- +id: asynchronous +title: Testing Asynchronous Code +--- + +It's common in JavaScript for code to run asynchronously. When you have code that runs asynchronously, Jest needs to know when the code it is testing has completed, before it can move on to another test. Jest has several ways to handle this. + +## Callbacks + +The most common asynchronous pattern is callbacks. + +For example, let's say that you have a `fetchData(callback)` function that fetches some data and calls `callback(data)` when it is complete. You want to test that this returned data is the string `'peanut butter'`. + +By default, Jest tests complete once they reach the end of their execution. That means this test will _not_ work as intended: + +```js +// Don't do this! +test('the data is peanut butter', () => { + function callback(data) { + expect(data).toBe('peanut butter'); + } + + fetchData(callback); +}); +``` + +The problem is that the test will complete as soon as `fetchData` completes, before ever calling the callback. + +There is an alternate form of `test` that fixes this. Instead of putting the test in a function with an empty argument, use a single argument called `done`. Jest will wait until the `done` callback is called before finishing the test. + +```js +test('the data is peanut butter', done => { + function callback(data) { + try { + expect(data).toBe('peanut butter'); + done(); + } catch (error) { + done(error); + } + } + + fetchData(callback); +}); +``` + +If `done()` is never called, the test will fail (with timeout error), which is what you want to happen. + +If the `expect` statement fails, it throws an error and `done()` is not called. If we want to see in the test log why it failed, we have to wrap `expect` in a `try` block and pass the error in the `catch` block to `done`. Otherwise, we end up with an opaque timeout error that doesn't show what value was received by `expect(data)`. + +## Promises + +If your code uses promises, there is a more straightforward way to handle asynchronous tests. Return a promise from your test, and Jest will wait for that promise to resolve. If the promise is rejected, the test will automatically fail. + +For example, let's say that `fetchData`, instead of using a callback, returns a promise that is supposed to resolve to the string `'peanut butter'`. We could test it with: + +```js +test('the data is peanut butter', () => { + return fetchData().then(data => { + expect(data).toBe('peanut butter'); + }); +}); +``` + +Be sure to return the promise - if you omit this `return` statement, your test will complete before the promise returned from `fetchData` resolves and then() has a chance to execute the callback. + +If you expect a promise to be rejected, use the `.catch` method. Make sure to add `expect.assertions` to verify that a certain number of assertions are called. Otherwise, a fulfilled promise would not fail the test. + +```js +test('the fetch fails with an error', () => { + expect.assertions(1); + return fetchData().catch(e => expect(e).toMatch('error')); +}); +``` + +## `.resolves` / `.rejects` + +You can also use the `.resolves` matcher in your expect statement, and Jest will wait for that promise to resolve. If the promise is rejected, the test will automatically fail. + +```js +test('the data is peanut butter', () => { + return expect(fetchData()).resolves.toBe('peanut butter'); +}); +``` + +Be sure to return the assertion—if you omit this `return` statement, your test will complete before the promise returned from `fetchData` is resolved and then() has a chance to execute the callback. + +If you expect a promise to be rejected, use the `.rejects` matcher. It works analogically to the `.resolves` matcher. If the promise is fulfilled, the test will automatically fail. + +```js +test('the fetch fails with an error', () => { + return expect(fetchData()).rejects.toMatch('error'); +}); +``` + +## Async/Await + +Alternatively, you can use `async` and `await` in your tests. To write an async test, use the `async` keyword in front of the function passed to `test`. For example, the same `fetchData` scenario can be tested with: + +```js +test('the data is peanut butter', async () => { + const data = await fetchData(); + expect(data).toBe('peanut butter'); +}); + +test('the fetch fails with an error', async () => { + expect.assertions(1); + try { + await fetchData(); + } catch (e) { + expect(e).toMatch('error'); + } +}); +``` + +You can combine `async` and `await` with `.resolves` or `.rejects`. + +```js +test('the data is peanut butter', async () => { + await expect(fetchData()).resolves.toBe('peanut butter'); +}); + +test('the fetch fails with an error', async () => { + await expect(fetchData()).rejects.toMatch('error'); +}); +``` + +In these cases, `async` and `await` are effectively syntactic sugar for the same logic as the promises example uses. + +None of these forms is particularly superior to the others, and you can mix and match them across a codebase or even in a single file. It just depends on which style you feel makes your tests simpler. diff --git a/website/versioned_docs/version-27.5/TestingFrameworks.md b/website/versioned_docs/version-27.5/TestingFrameworks.md new file mode 100644 index 000000000000..5b085c8658a3 --- /dev/null +++ b/website/versioned_docs/version-27.5/TestingFrameworks.md @@ -0,0 +1,45 @@ +--- +id: testing-frameworks +title: Testing Web Frameworks +--- + +Jest is a universal testing platform, with the ability to adapt to any JavaScript library or framework. In this section, we'd like to link to community posts and articles about integrating Jest into popular JS libraries. + +## React + +- [Testing ReactJS components with Jest](https://testing-library.com/docs/react-testing-library/example-intro) by Kent C. Dodds ([@kentcdodds](https://twitter.com/kentcdodds)) + +## Vue.js + +- [Testing Vue.js components with Jest](https://alexjoverm.github.io/series/Unit-Testing-Vue-js-Components-with-the-Official-Vue-Testing-Tools-and-Jest/) by Alex Jover Morales ([@alexjoverm](https://twitter.com/alexjoverm)) +- [Jest for all: Episode 1 — Vue.js](https://medium.com/@kentaromiura_the_js_guy/jest-for-all-episode-1-vue-js-d616bccbe186#.d573vrce2) by Cristian Carlesso ([@kentaromiura](https://twitter.com/kentaromiura)) + +## AngularJS + +- [Testing an AngularJS app with Jest](https://medium.com/aya-experience/testing-an-angularjs-app-with-jest-3029a613251) by Matthieu Lux ([@Swiip](https://twitter.com/Swiip)) +- [Running AngularJS Tests with Jest](https://engineering.talentpair.com/running-angularjs-tests-with-jest-49d0cc9c6d26) by Ben Brandt ([@benjaminbrandt](https://twitter.com/benjaminbrandt)) +- [AngularJS Unit Tests with Jest Actions (Traditional Chinese)](https://dwatow.github.io/2019/08-14-angularjs/angular-jest/?fbclid=IwAR2SrqYg_o6uvCQ79FdNPeOxs86dUqB6pPKgd9BgnHt1kuIDRyRM-ch11xg) by Chris Wang ([@dwatow](https://github.com/dwatow)) + +## Angular + +- [Testing Angular faster with Jest](https://www.xfive.co/blog/testing-angular-faster-jest/) by Michał Pierzchała ([@thymikee](https://twitter.com/thymikee)) + +## MobX + +- [How to Test React and MobX with Jest](https://semaphoreci.com/community/tutorials/how-to-test-react-and-mobx-with-jest) by Will Stern ([@willsterndev](https://twitter.com/willsterndev)) + +## Redux + +- [Writing Tests](https://redux.js.org/recipes/writing-tests) by Redux docs + +## Express.js + +- [How to test Express.js with Jest and Supertest](http://www.albertgao.xyz/2017/05/24/how-to-test-expressjs-with-jest-and-supertest/) by Albert Gao ([@albertgao](https://twitter.com/albertgao)) + +## GatsbyJS + +- [Unit Testing](https://www.gatsbyjs.org/docs/unit-testing/) by GatsbyJS docs + +## Hapi.js + +- [Testing Hapi.js With Jest](http://niralar.com/testing-hapi-js-with-jest/) by Niralar ([Sivasankar](http://sivasankar.in/)) diff --git a/website/versioned_docs/version-27.5/TimerMocks.md b/website/versioned_docs/version-27.5/TimerMocks.md new file mode 100644 index 000000000000..29613b26dbff --- /dev/null +++ b/website/versioned_docs/version-27.5/TimerMocks.md @@ -0,0 +1,182 @@ +--- +id: timer-mocks +title: Timer Mocks +--- + +The native timer functions (i.e., `setTimeout`, `setInterval`, `clearTimeout`, `clearInterval`) are less than ideal for a testing environment since they depend on real time to elapse. Jest can swap out timers with functions that allow you to control the passage of time. [Great Scott!](https://www.youtube.com/watch?v=QZoJ2Pt27BY) + +```javascript title="timerGame.js" +'use strict'; + +function timerGame(callback) { + console.log('Ready....go!'); + setTimeout(() => { + console.log("Time's up -- stop!"); + callback && callback(); + }, 1000); +} + +module.exports = timerGame; +``` + +```javascript title="__tests__/timerGame-test.js" +'use strict'; + +jest.useFakeTimers(); +jest.spyOn(global, 'setTimeout'); + +test('waits 1 second before ending the game', () => { + const timerGame = require('../timerGame'); + timerGame(); + + expect(setTimeout).toHaveBeenCalledTimes(1); + expect(setTimeout).toHaveBeenLastCalledWith(expect.any(Function), 1000); +}); +``` + +Here we enable fake timers by calling `jest.useFakeTimers()`. This mocks out `setTimeout` and other timer functions with mock functions. Timers can be restored to their normal behavior with `jest.useRealTimers()`. + +While you can call `jest.useFakeTimers()` or `jest.useRealTimers()` from anywhere (top level, inside an `it` block, etc.), it is a **global operation** and will affect other tests within the same file. Additionally, you need to call `jest.useFakeTimers()` to reset internal counters before each test. If you plan to not use fake timers in all your tests, you will want to clean up manually, as otherwise the faked timers will leak across tests: + +```javascript +afterEach(() => { + jest.useRealTimers(); +}); + +test('do something with fake timers', () => { + jest.useFakeTimers(); + // ... +}); + +test('do something with real timers', () => { + // ... +}); +``` + +## Run All Timers + +Another test we might want to write for this module is one that asserts that the callback is called after 1 second. To do this, we're going to use Jest's timer control APIs to fast-forward time right in the middle of the test: + +```javascript +jest.useFakeTimers(); +test('calls the callback after 1 second', () => { + const timerGame = require('../timerGame'); + const callback = jest.fn(); + + timerGame(callback); + + // At this point in time, the callback should not have been called yet + expect(callback).not.toBeCalled(); + + // Fast-forward until all timers have been executed + jest.runAllTimers(); + + // Now our callback should have been called! + expect(callback).toBeCalled(); + expect(callback).toHaveBeenCalledTimes(1); +}); +``` + +## Run Pending Timers + +There are also scenarios where you might have a recursive timer -- that is a timer that sets a new timer in its own callback. For these, running all the timers would be an endless loop, throwing the following error: + +``` +Ran 100000 timers, and there are still more! Assuming we've hit an infinite recursion and bailing out... +``` + +So something like `jest.runAllTimers()` is not desirable. For these cases you might use `jest.runOnlyPendingTimers()`: + +```javascript title="infiniteTimerGame.js" +'use strict'; + +function infiniteTimerGame(callback) { + console.log('Ready....go!'); + + setTimeout(() => { + console.log("Time's up! 10 seconds before the next game starts..."); + callback && callback(); + + // Schedule the next game in 10 seconds + setTimeout(() => { + infiniteTimerGame(callback); + }, 10000); + }, 1000); +} + +module.exports = infiniteTimerGame; +``` + +```javascript title="__tests__/infiniteTimerGame-test.js" +'use strict'; + +jest.useFakeTimers(); + +describe('infiniteTimerGame', () => { + test('schedules a 10-second timer after 1 second', () => { + const infiniteTimerGame = require('../infiniteTimerGame'); + const callback = jest.fn(); + + infiniteTimerGame(callback); + + // At this point in time, there should have been a single call to + // setTimeout to schedule the end of the game in 1 second. + expect(setTimeout).toHaveBeenCalledTimes(1); + expect(setTimeout).toHaveBeenLastCalledWith(expect.any(Function), 1000); + + // Fast forward and exhaust only currently pending timers + // (but not any new timers that get created during that process) + jest.runOnlyPendingTimers(); + + // At this point, our 1-second timer should have fired its callback + expect(callback).toBeCalled(); + + // And it should have created a new timer to start the game over in + // 10 seconds + expect(setTimeout).toHaveBeenCalledTimes(2); + expect(setTimeout).toHaveBeenLastCalledWith(expect.any(Function), 10000); + }); +}); +``` + +## Advance Timers by Time + +Another possibility is use `jest.advanceTimersByTime(msToRun)`. When this API is called, all timers are advanced by `msToRun` milliseconds. All pending "macro-tasks" that have been queued via setTimeout() or setInterval(), and would be executed during this time frame, will be executed. Additionally, if those macro-tasks schedule new macro-tasks that would be executed within the same time frame, those will be executed until there are no more macro-tasks remaining in the queue that should be run within msToRun milliseconds. + +```javascript title="timerGame.js" +'use strict'; + +function timerGame(callback) { + console.log('Ready....go!'); + setTimeout(() => { + console.log("Time's up -- stop!"); + callback && callback(); + }, 1000); +} + +module.exports = timerGame; +``` + +```javascript title="__tests__/timerGame-test.js" +jest.useFakeTimers(); +it('calls the callback after 1 second via advanceTimersByTime', () => { + const timerGame = require('../timerGame'); + const callback = jest.fn(); + + timerGame(callback); + + // At this point in time, the callback should not have been called yet + expect(callback).not.toBeCalled(); + + // Fast-forward until all timers have been executed + jest.advanceTimersByTime(1000); + + // Now our callback should have been called! + expect(callback).toBeCalled(); + expect(callback).toHaveBeenCalledTimes(1); +}); +``` + +Lastly, it may occasionally be useful in some tests to be able to clear all of the pending timers. For this, we have `jest.clearAllTimers()`. + +The code for this example is available at [examples/timer](https://github.com/facebook/jest/tree/main/examples/timer). diff --git a/website/versioned_docs/version-27.5/Troubleshooting.md b/website/versioned_docs/version-27.5/Troubleshooting.md new file mode 100644 index 000000000000..28cea902472d --- /dev/null +++ b/website/versioned_docs/version-27.5/Troubleshooting.md @@ -0,0 +1,206 @@ +--- +id: troubleshooting +title: Troubleshooting +--- + +Uh oh, something went wrong? Use this guide to resolve issues with Jest. + +## Tests are Failing and You Don't Know Why + +Try using the debugging support built into Node. Note: This will only work in Node.js 8+. + +Place a `debugger;` statement in any of your tests, and then, in your project's directory, run: + +```bash +node --inspect-brk node_modules/.bin/jest --runInBand [any other arguments here] +or on 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. + +> Note: the `--runInBand` cli option makes sure Jest runs the test in the same process rather than spawning processes for individual tests. Normally Jest parallelizes test runs across processes but it is hard to debug many processes at the same time. + +## Debugging in VS Code + +There are multiple ways to debug Jest tests with [Visual Studio Code's](https://code.visualstudio.com) built-in [debugger](https://code.visualstudio.com/docs/nodejs/nodejs-debugging). + +To attach the built-in debugger, run your tests as aforementioned: + +```bash +node --inspect-brk node_modules/.bin/jest --runInBand [any other arguments here] +or on 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: + +```json +{ + "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: + +```json +{ + "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", + "port": 9229 + } + ] +} +``` + +or the following for Windows: + +```json +{ + "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", + "port": 9229 + } + ] +} +``` + +If you are using Facebook's [`create-react-app`](https://github.com/facebookincubator/create-react-app), you can debug your Jest tests with the following configuration: + +```json +{ + "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"], + "cwd": "${workspaceRoot}", + "protocol": "inspector", + "console": "integratedTerminal", + "internalConsoleOptions": "neverOpen" + } + ] +} +``` + +More information on Node debugging can be found [here](https://nodejs.org/api/debugger.html). + +## Debugging in WebStorm + +[WebStorm](https://www.jetbrains.com/webstorm/) has built-in support for Jest. Read [Testing With Jest in WebStorm](https://blog.jetbrains.com/webstorm/2018/10/testing-with-jest-in-webstorm/) to learn more. + +## Caching Issues + +The transform script was changed or Babel was updated and the changes aren't being recognized by Jest? + +Retry with [`--no-cache`](CLI.md#--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](https://github.com/facebook/relay/blob/58cf36c73769690f0bbf90562707eadb062b029d/scripts/jest/preprocessor.js#L56-L61). + +## Unresolved Promises + +If a promise doesn't resolve at all, this error might be thrown: + +```bash +- 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 `global.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` + +```js +jest.setTimeout(10000); // 10 second timeout +``` + +## Watchman Issues + +Try running Jest with [`--no-watchman`](CLI.md#--watchman) or set the `watchman` configuration option to `false`. + +Also see [watchman troubleshooting](https://facebook.github.io/watchman/docs/troubleshooting). + +## Tests are Extremely Slow on Docker and/or Continuous Integration (CI) server. + +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](https://github.com/facebook/jest/issues/1395) [discovered](https://github.com/facebook/jest/issues/1524#issuecomment-260246008). + +Based on the [findings](https://github.com/facebook/jest/issues/1524#issuecomment-262366820), 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`](CLI.md#--runinband): + +```bash +# Using Jest CLI +jest --runInBand + +# Using yarn test (e.g. with 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. + +```bash +# Using Jest CLI +jest --maxWorkers=4 + +# Using yarn test (e.g. with create-react-app) +yarn test --maxWorkers=4 +``` + +## `coveragePathIgnorePatterns` seems to not have any effect. + +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`. + +## Defining Tests + +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: + +```js +// Don't do this it will not work +setTimeout(() => { + it('passes', () => expect(1).toBe(1)); +}, 0); +``` + +When Jest runs your test to collect the `test`s it will not find any because we have set the definition to happen asynchronously on the next tick of the event loop. + +_Note:_ This means when you are using `test.each` you cannot set the table asynchronously within a `beforeEach` / `beforeAll`. + +## Still unresolved? + +See [Help](/help). diff --git a/website/versioned_docs/version-27.5/TutorialAsync.md b/website/versioned_docs/version-27.5/TutorialAsync.md new file mode 100644 index 000000000000..9c283074cabd --- /dev/null +++ b/website/versioned_docs/version-27.5/TutorialAsync.md @@ -0,0 +1,161 @@ +--- +id: tutorial-async +title: An Async Example +--- + +First, enable Babel support in Jest as documented in the [Getting Started](GettingStarted.md#using-babel) guide. + +Let's implement a module that fetches user data from an API and returns the user name. + +```js title="user.js" +import request from './request'; + +export function getUserName(userID) { + return request('/users/' + userID).then(user => user.name); +} +``` + +In the above implementation, we expect the `request.js` module to return a promise. We chain a call to `then` to receive the user name. + +Now imagine an implementation of `request.js` that goes to the network and fetches some user data: + +```js title="request.js" +const http = require('http'); + +export default function request(url) { + return new Promise(resolve => { + // This is an example of an http request, for example to fetch + // user data from an API. + // This module is being mocked in __mocks__/request.js + http.get({path: url}, response => { + let data = ''; + response.on('data', _data => (data += _data)); + response.on('end', () => resolve(data)); + }); + }); +} +``` + +Because we don't want to go to the network in our test, we are going to create a manual mock for our `request.js` module in the `__mocks__` folder (the folder is case-sensitive, `__MOCKS__` will not work). It could look something like this: + +```js title="__mocks__/request.js" +const users = { + 4: {name: 'Mark'}, + 5: {name: 'Paul'}, +}; + +export default function request(url) { + return new Promise((resolve, reject) => { + const userID = parseInt(url.substr('/users/'.length), 10); + process.nextTick(() => + users[userID] + ? resolve(users[userID]) + : reject({ + error: 'User with ' + userID + ' not found.', + }), + ); + }); +} +``` + +Now let's write a test for our async functionality. + +```js title="__tests__/user-test.js" +jest.mock('../request'); + +import * as user from '../user'; + +// The assertion for a promise must be returned. +it('works with promises', () => { + expect.assertions(1); + return user.getUserName(4).then(data => expect(data).toEqual('Mark')); +}); +``` + +We call `jest.mock('../request')` to tell Jest to use our manual mock. `it` expects the return value to be a Promise that is going to be resolved. You can chain as many Promises as you like and call `expect` at any time, as long as you return a Promise at the end. + +## `.resolves` + +There is a less verbose way using `resolves` to unwrap the value of a fulfilled promise together with any other matcher. If the promise is rejected, the assertion will fail. + +```js +it('works with resolves', () => { + expect.assertions(1); + return expect(user.getUserName(5)).resolves.toEqual('Paul'); +}); +``` + +## `async`/`await` + +Writing tests using the `async`/`await` syntax is also possible. Here is how you'd write the same examples from before: + +```js +// async/await can be used. +it('works with async/await', async () => { + expect.assertions(1); + const data = await user.getUserName(4); + expect(data).toEqual('Mark'); +}); + +// async/await can also be used with `.resolves`. +it('works with async/await and resolves', async () => { + expect.assertions(1); + await expect(user.getUserName(5)).resolves.toEqual('Paul'); +}); +``` + +To enable async/await in your project, install [`@babel/preset-env`](https://babeljs.io/docs/en/babel-preset-env) and enable the feature in your `babel.config.js` file. + +## Error handling + +Errors can be handled using the `.catch` method. Make sure to add `expect.assertions` to verify that a certain number of assertions are called. Otherwise a fulfilled promise would not fail the test: + +```js +// Testing for async errors using Promise.catch. +it('tests error with promises', () => { + expect.assertions(1); + return user.getUserName(2).catch(e => + expect(e).toEqual({ + error: 'User with 2 not found.', + }), + ); +}); + +// Or using async/await. +it('tests error with async/await', async () => { + expect.assertions(1); + try { + await user.getUserName(1); + } catch (e) { + expect(e).toEqual({ + error: 'User with 1 not found.', + }); + } +}); +``` + +## `.rejects` + +The`.rejects` helper works like the `.resolves` helper. If the promise is fulfilled, the test will automatically fail. `expect.assertions(number)` is not required but recommended to verify that a certain number of [assertions](expect#expectassertionsnumber) are called during a test. It is otherwise easy to forget to `return`/`await` the `.resolves` assertions. + +```js +// Testing for async errors using `.rejects`. +it('tests error with rejects', () => { + expect.assertions(1); + return expect(user.getUserName(3)).rejects.toEqual({ + error: 'User with 3 not found.', + }); +}); + +// Or using async/await with `.rejects`. +it('tests error with async/await and rejects', async () => { + expect.assertions(1); + await expect(user.getUserName(3)).rejects.toEqual({ + error: 'User with 3 not found.', + }); +}); +``` + +The code for this example is available at [examples/async](https://github.com/facebook/jest/tree/main/examples/async). + +If you'd like to test timers, like `setTimeout`, take a look at the [Timer mocks](TimerMocks.md) documentation. diff --git a/website/versioned_docs/version-27.5/TutorialReact.md b/website/versioned_docs/version-27.5/TutorialReact.md new file mode 100644 index 000000000000..9b5ce3d25b88 --- /dev/null +++ b/website/versioned_docs/version-27.5/TutorialReact.md @@ -0,0 +1,313 @@ +--- +id: tutorial-react +title: Testing React Apps +--- + +At Facebook, we use Jest to test [React](https://reactjs.org/) applications. + +## Setup + +### Setup with Create React App + +If you are new to React, we recommend using [Create React App](https://create-react-app.dev/). It is ready to use and [ships with Jest](https://create-react-app.dev/docs/running-tests/#docsNav)! You will only need to add `react-test-renderer` for rendering snapshots. + +Run + +```bash +yarn add --dev react-test-renderer +``` + +### Setup without Create React App + +If you have an existing application you'll need to install a few packages to make everything work well together. We are using the `babel-jest` package and the `react` babel preset to transform our code inside of the test environment. Also see [using babel](GettingStarted.md#using-babel). + +Run + +```bash +yarn add --dev jest babel-jest @babel/preset-env @babel/preset-react react-test-renderer +``` + +Your `package.json` should look something like this (where `` is the actual latest version number for the package). Please add the scripts and jest configuration entries: + +```json + "dependencies": { + "react": "", + "react-dom": "" + }, + "devDependencies": { + "@babel/preset-env": "", + "@babel/preset-react": "", + "babel-jest": "", + "jest": "", + "react-test-renderer": "" + }, + "scripts": { + "test": "jest" + } +``` + +```js title="babel.config.js" +module.exports = { + presets: ['@babel/preset-env', '@babel/preset-react'], +}; +``` + +**And you're good to go!** + +### Snapshot Testing + +Let's create a [snapshot test](SnapshotTesting.md) for a Link component that renders hyperlinks: + +```tsx title="Link.js" +import React, {useState} from 'react'; + +const STATUS = { + HOVERED: 'hovered', + NORMAL: 'normal', +}; + +const Link = ({page, children}) => { + const [status, setStatus] = useState(STATUS.NORMAL); + + const onMouseEnter = () => { + setStatus(STATUS.HOVERED); + }; + + const onMouseLeave = () => { + setStatus(STATUS.NORMAL); + }; + + return ( + + {children} + + ); +}; + +export default Link; +``` + +> Note: Examples are using Function components, but Class components can be tested in the same way. See [React: Function and Class Components](https://reactjs.org/docs/components-and-props.html#function-and-class-components). **Reminders** that with Class components, we expect Jest to be used to test props and not methods directly. + +Now let's use React's test renderer and Jest's snapshot feature to interact with the component and capture the rendered output and create a snapshot file: + +```tsx title="Link.react.test.js" +import React from 'react'; +import renderer from 'react-test-renderer'; +import Link from '../Link.react'; + +test('Link changes the class when hovered', () => { + const component = renderer.create( + Facebook, + ); + let tree = component.toJSON(); + expect(tree).toMatchSnapshot(); + + // manually trigger the callback + tree.props.onMouseEnter(); + // re-rendering + tree = component.toJSON(); + expect(tree).toMatchSnapshot(); + + // manually trigger the callback + tree.props.onMouseLeave(); + // re-rendering + tree = component.toJSON(); + expect(tree).toMatchSnapshot(); +}); +``` + +When you run `yarn test` or `jest`, this will produce an output file like this: + +```javascript title="__tests__/__snapshots__/Link.react.test.js.snap" +exports[`Link changes the class when hovered 1`] = ` + + Facebook + +`; + +exports[`Link changes the class when hovered 2`] = ` + + Facebook + +`; + +exports[`Link changes the class when hovered 3`] = ` + + Facebook + +`; +``` + +The next time you run the tests, the rendered output will be compared to the previously created snapshot. The snapshot should be committed along with code changes. When a snapshot test fails, you need to inspect whether it is an intended or unintended change. If the change is expected you can invoke Jest with `jest -u` to overwrite the existing snapshot. + +The code for this example is available at [examples/snapshot](https://github.com/facebook/jest/tree/main/examples/snapshot). + +#### Snapshot Testing with Mocks, Enzyme and React 16 + +There's a caveat around snapshot testing when using Enzyme and React 16+. If you mock out a module using the following style: + +```js +jest.mock('../SomeDirectory/SomeComponent', () => 'SomeComponent'); +``` + +Then you will see warnings in the console: + +```bash +Warning: is using uppercase HTML. Always use lowercase HTML tags in React. + +# Or: +Warning: The tag is unrecognized in this browser. If you meant to render a React component, start its name with an uppercase letter. +``` + +React 16 triggers these warnings due to how it checks element types, and the mocked module fails these checks. Your options are: + +1. Render as text. This way you won't see the props passed to the mock component in the snapshot, but it's straightforward: + ```js + jest.mock('./SomeComponent', () => () => 'SomeComponent'); + ``` +2. Render as a custom element. DOM "custom elements" aren't checked for anything and shouldn't fire warnings. They are lowercase and have a dash in the name. + ```tsx + jest.mock('./Widget', () => () => ); + ``` +3. Use `react-test-renderer`. The test renderer doesn't care about element types and will happily accept e.g. `SomeComponent`. You could check snapshots using the test renderer, and check component behavior separately using Enzyme. +4. Disable warnings all together (should be done in your jest setup file): + ```js + jest.mock('fbjs/lib/warning', () => require('fbjs/lib/emptyFunction')); + ``` + This shouldn't normally be your option of choice as useful warnings could be lost. However, in some cases, for example when testing react-native's components we are rendering react-native tags into the DOM and many warnings are irrelevant. Another option is to swizzle the console.warn and suppress specific warnings. + +### DOM Testing + +If you'd like to assert, and manipulate your rendered components you can use [react-testing-library](https://github.com/kentcdodds/react-testing-library), [Enzyme](http://airbnb.io/enzyme/), or React's [TestUtils](https://reactjs.org/docs/test-utils.html). The following two examples use react-testing-library and Enzyme. + +#### react-testing-library + +You have to run `yarn add --dev @testing-library/react` to use react-testing-library. + +Let's implement a checkbox which swaps between two labels: + +```tsx title="CheckboxWithLabel.js" +import React, {useState} from 'react'; + +const CheckboxWithLabel = ({labelOn, labelOff}) => { + const [isChecked, setIsChecked] = useState(false); + + const onChange = () => { + setIsChecked(!isChecked); + }; + + return ( + + ); +}; + +export default CheckboxWithLabel; +``` + +```tsx title="__tests__/CheckboxWithLabel-test.js" +import React from 'react'; +import {cleanup, fireEvent, render} from '@testing-library/react'; +import CheckboxWithLabel from '../CheckboxWithLabel'; + +// Note: running cleanup afterEach is done automatically for you in @testing-library/react@9.0.0 or higher +// unmount and cleanup DOM after the test is finished. +afterEach(cleanup); + +it('CheckboxWithLabel changes the text after click', () => { + const {queryByLabelText, getByLabelText} = render( + , + ); + + expect(queryByLabelText(/off/i)).toBeTruthy(); + + fireEvent.click(getByLabelText(/off/i)); + + expect(queryByLabelText(/on/i)).toBeTruthy(); +}); +``` + +The code for this example is available at [examples/react-testing-library](https://github.com/facebook/jest/tree/main/examples/react-testing-library). + +#### Enzyme + +You have to run `yarn add --dev enzyme` to use Enzyme. If you are using a React version below 15.5.0, you will also need to install `react-addons-test-utils`. + +Let's rewrite the test from above using Enzyme instead of react-testing-library. We use Enzyme's [shallow renderer](http://airbnb.io/enzyme/docs/api/shallow.html) in this example. + +```tsx title="__tests__/CheckboxWithLabel-test.js" +import React from 'react'; +import {shallow} from 'enzyme'; +import CheckboxWithLabel from '../CheckboxWithLabel'; + +test('CheckboxWithLabel changes the text after click', () => { + // Render a checkbox with label in the document + const checkbox = shallow(); + + expect(checkbox.text()).toEqual('Off'); + + checkbox.find('input').simulate('change'); + + expect(checkbox.text()).toEqual('On'); +}); +``` + +The code for this example is available at [examples/enzyme](https://github.com/facebook/jest/tree/main/examples/enzyme). + +### Custom transformers + +If you need more advanced functionality, you can also build your own transformer. Instead of using `babel-jest`, here is an example of using `@babel/core`: + +```javascript title="custom-transformer.js" +'use strict'; + +const {transform} = require('@babel/core'); +const jestPreset = require('babel-preset-jest'); + +module.exports = { + process(src, filename) { + const result = transform(src, { + filename, + presets: [jestPreset], + }); + + return result || src; + }, +}; +``` + +Don't forget to install the `@babel/core` and `babel-preset-jest` packages for this example to work. + +To make this work with Jest you need to update your Jest configuration with this: `"transform": {"\\.js$": "path/to/custom-transformer.js"}`. + +If you'd like to build a transformer with babel support, you can also use `babel-jest` to compose one and pass in your custom configuration options: + +```javascript +const babelJest = require('babel-jest'); + +module.exports = babelJest.createTransformer({ + presets: ['my-custom-preset'], +}); +``` + +See [dedicated docs](CodeTransformation.md#writing-custom-transformers) for more details. diff --git a/website/versioned_docs/version-27.5/TutorialReactNative.md b/website/versioned_docs/version-27.5/TutorialReactNative.md new file mode 100644 index 000000000000..ddb60b230c31 --- /dev/null +++ b/website/versioned_docs/version-27.5/TutorialReactNative.md @@ -0,0 +1,215 @@ +--- +id: tutorial-react-native +title: Testing React Native Apps +--- + +At Facebook, we use Jest to test [React Native](https://reactnative.dev/) applications. + +Get a deeper insight into testing a working React Native app example by reading the following series: [Part 1: Jest – Snapshot come into play](https://callstack.com/blog/testing-react-native-with-the-new-jest-part-1-snapshots-come-into-play/) and [Part 2: Jest – Redux Snapshots for your Actions and Reducers](https://callstack.com/blog/testing-react-native-with-the-new-jest-part-2-redux-snapshots-for-your-actions-and-reducers/). + +## Setup + +Starting from react-native version 0.38, a Jest setup is included by default when running `react-native init`. The following configuration should be automatically added to your package.json file: + +```json +{ + "scripts": { + "test": "jest" + }, + "jest": { + "preset": "react-native" + } +} +``` + +_Note: If you are upgrading your react-native application and previously used the `jest-react-native` preset, remove the dependency from your `package.json` file and change the preset to `react-native` instead._ + +Run `yarn test` to run tests with Jest. + +## Snapshot Test + +Let's create a [snapshot test](SnapshotTesting.md) for a small intro component with a few views and text components and some styles: + +```tsx title="Intro.js" +import React, {Component} from 'react'; +import {StyleSheet, Text, View} from 'react-native'; + +class Intro extends Component { + render() { + return ( + + Welcome to React Native! + + This is a React Native snapshot test. + + + ); + } +} + +const styles = StyleSheet.create({ + container: { + alignItems: 'center', + backgroundColor: '#F5FCFF', + flex: 1, + justifyContent: 'center', + }, + instructions: { + color: '#333333', + marginBottom: 5, + textAlign: 'center', + }, + welcome: { + fontSize: 20, + margin: 10, + textAlign: 'center', + }, +}); + +export default Intro; +``` + +Now let's use React's test renderer and Jest's snapshot feature to interact with the component and capture the rendered output and create a snapshot file: + +```tsx title="__tests__/Intro-test.js" +import React from 'react'; +import renderer from 'react-test-renderer'; +import Intro from '../Intro'; + +test('renders correctly', () => { + const tree = renderer.create().toJSON(); + expect(tree).toMatchSnapshot(); +}); +``` + +When you run `yarn test` or `jest`, this will produce an output file like this: + +```javascript title="__tests__/__snapshots__/Intro-test.js.snap" +exports[`Intro renders correctly 1`] = ` + + + Welcome to React Native! + + + This is a React Native snapshot test. + + +`; +``` + +The next time you run the tests, the rendered output will be compared to the previously created snapshot. The snapshot should be committed along with code changes. When a snapshot test fails, you need to inspect whether it is an intended or unintended change. If the change is expected you can invoke Jest with `jest -u` to overwrite the existing snapshot. + +The code for this example is available at [examples/react-native](https://github.com/facebook/jest/tree/main/examples/react-native). + +## Preset configuration + +The preset sets up the environment and is very opinionated and based on what we found to be useful at Facebook. All of the configuration options can be overwritten just as they can be customized when no preset is used. + +### Environment + +`react-native` ships with a Jest preset, so the `jest.preset` field of your `package.json` should point to `react-native`. The preset is a node environment that mimics the environment of a React Native app. Because it doesn't load any DOM or browser APIs, it greatly improves Jest's startup time. + +### transformIgnorePatterns customization + +The [`transformIgnorePatterns`](configuration#transformignorepatterns-arraystring) option can be used to specify which files shall be transformed by Babel. Many `react-native` npm modules unfortunately don't pre-compile their source code before publishing. + +By default the `jest-react-native` preset only processes the project's own source files and `react-native`. If you have npm dependencies that have to be transformed you can customize this configuration option by including modules other than `react-native` by grouping them and separating them with the `|` operator: + +```json +{ + "transformIgnorePatterns": [ + "node_modules/(?!(react-native|my-project|react-native-button)/)" + ] +} +``` + +You can test which paths would match (and thus be excluded from transformation) with a tool [like this](https://regex101.com/r/JsLIDM/1). + +`transformIgnorePatterns` will exclude a file from transformation if the path matches against **any** pattern provided. Splitting into multiple patterns could therefore have unintended results if you are not careful. In the example below, the exclusion (also known as a negative lookahead assertion) for `foo` and `bar` cancel each other out: + +```json +{ + "transformIgnorePatterns": ["node_modules/(?!foo/)", "node_modules/(?!bar/)"] // not what you want +} +``` + +### setupFiles + +If you'd like to provide additional configuration for every test file, the [`setupFiles` configuration option](configuration#setupfiles-array) can be used to specify setup scripts. + +### moduleNameMapper + +The [`moduleNameMapper`](configuration#modulenamemapper-objectstring-string--arraystring) can be used to map a module path to a different module. By default the preset maps all images to an image stub module but if a module cannot be found this configuration option can help: + +```json +{ + "moduleNameMapper": { + "my-module.js": "/path/to/my-module.js" + } +} +``` + +## Tips + +### Mock native modules using jest.mock + +The Jest preset built into `react-native` comes with a few default mocks that are applied on a react-native repository. However, some react-native components or third party components rely on native code to be rendered. In such cases, Jest's manual mocking system can help to mock out the underlying implementation. + +For example, if your code depends on a third party native video component called `react-native-video` you might want to stub it out with a manual mock like this: + +```js +jest.mock('react-native-video', () => 'Video'); +``` + +This will render the component as `