Skip to content

Commit a42315e

Browse files
avivkellermikeesto
andauthored
feat(learn): Collecting code coverage (#7006)
* feat(learn): Collecting code coverage * add links Signed-off-by: Aviv Keller <[email protected]> * fix coverage command Co-authored-by: Michael Esteban <[email protected]> Signed-off-by: Aviv Keller <[email protected]> * fixup! add run() API support Signed-off-by: Aviv Keller <[email protected]> * fix formatting * fix formatting --------- Signed-off-by: Aviv Keller <[email protected]> Signed-off-by: Aviv Keller <[email protected]> Co-authored-by: RedYetiDev <[email protected]> Co-authored-by: Michael Esteban <[email protected]> Co-authored-by: Aviv Keller <[email protected]>
1 parent bcfd5fb commit a42315e

File tree

3 files changed

+331
-1
lines changed

3 files changed

+331
-1
lines changed

apps/site/navigation.json

+4
Original file line numberDiff line numberDiff line change
@@ -396,6 +396,10 @@
396396
"mocking": {
397397
"link": "/learn/test-runner/mocking",
398398
"label": "components.navigation.learn.testRunner.links.mocking"
399+
},
400+
"collectingCodeCoverage": {
401+
"link": "/learn/test-runner/collecting-code-coverage",
402+
"label": "components.navigation.learn.testRunner.links.collectingCodeCoverage"
399403
}
400404
}
401405
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,325 @@
1+
---
2+
title: Collecting code coverage in Node.js
3+
layout: learn
4+
authors: RedYetiDev
5+
---
6+
7+
# Collecting code coverage in Node.js
8+
9+
Node.js provides built-in support for code coverage through its test runner, which can be enabled using the [`--experimental-code-coverage`](https://nodejs.org/api/cli.html#--experimental-test-coverage) flag.
10+
11+
If using the `run()` API, the `coverage` option must be set to `true`. For more information on the `run()` API, see [the `node:test` documentation](https://nodejs.org/docs/latest/api/test.html#runoptions).
12+
13+
## What is code coverage?
14+
15+
Code coverage is a metric for test runners that gauges how much of a program’s source code is executed during testing. It reveals which portions of the codebase are tested and which are not, helping to pinpoint gaps in the test suite. This ensures more comprehensive testing of the software and minimizes the risk of undetected bugs. Typically expressed as a percentage, higher code coverage percentages indicate more thorough test coverage. For a more detailed explanation of code coverage, you can refer to the ["Code coverage" Wikipedia article](https://en.wikipedia.org/wiki/Code_coverage).
16+
17+
## Basic coverage reporting
18+
19+
Let's walk through a simple example to demonstrate how code coverage works in Node.js.
20+
21+
> **Note:** This example, and all other ones in this file, are written using CommonJS. If you are unfamiliar with this concept, please read the [CommonJS Modules](https://nodejs.org/docs/latest/api/modules.html) documentation.
22+
23+
```cjs displayName="main.js"
24+
function add(a, b) {
25+
return a + b;
26+
}
27+
28+
function isEven(num) {
29+
return num % 2 === 0;
30+
}
31+
32+
function multiply(a, b) {
33+
return a * b;
34+
}
35+
36+
module.exports = { add, isEven, multiply };
37+
```
38+
39+
```cjs displayName="main.test.js"
40+
const { add, isEven } = require('./main.js');
41+
const { test } = require('node:test');
42+
43+
test('add() should add two numbers', t => {
44+
t.assert.strictEqual(add(1, 2), 3);
45+
});
46+
47+
test('isEven() should report whether a number is even', t => {
48+
t.assert.ok(isEven(0));
49+
});
50+
```
51+
52+
In the module, we have three functions: `add`, `isEven`, and `multiply`.
53+
54+
In the test file, we are testing the `add()` and `isEven()` functions. Notice that the `multiply()` function is not covered by any tests.
55+
56+
To collect code coverage while running your tests, see the following snippets:
57+
58+
```bash displayName="CLI"
59+
node --experimental-test-coverage --test main.test.js
60+
```
61+
62+
```js displayName="run()"
63+
run({ files: ['main.test.js'], coverage: true });
64+
```
65+
66+
After running the tests, you'll receive a report that looks something like this:
67+
68+
```text displayName="Coverage Report"
69+
✔ add() should add two numbers (1.505987ms)
70+
✔ isEven() should report whether a number is even (0.175859ms)
71+
ℹ tests 2
72+
ℹ suites 0
73+
ℹ pass 2
74+
ℹ fail 0
75+
ℹ cancelled 0
76+
ℹ skipped 0
77+
ℹ todo 0
78+
ℹ duration_ms 59.480373
79+
ℹ start of coverage report
80+
ℹ -------------------------------------------------------------
81+
ℹ file | line % | branch % | funcs % | uncovered lines
82+
ℹ -------------------------------------------------------------
83+
ℹ main.js | 76.92 | 100.00 | 66.67 | 9-11
84+
ℹ main.test.js | 100.00 | 100.00 | 100.00 |
85+
ℹ -------------------------------------------------------------
86+
ℹ all files | 86.96 | 100.00 | 80.00 |
87+
ℹ -------------------------------------------------------------
88+
ℹ end of coverage report
89+
```
90+
91+
The coverage report provides a breakdown of how much of your code is covered by tests:
92+
93+
- **Line Coverage**: The percentage of lines executed during the tests.
94+
- **Branch Coverage**: The percentage of code branches (like if-else statements) tested.
95+
- **Function Coverage**: The percentage of functions that have been invoked during testing.
96+
97+
In this example:
98+
99+
- `main.js` shows 76.92% line coverage and 66.67% function coverage because the `multiply()` function was not tested. The uncovered lines (9-11) correspond to this function.
100+
- `main.test.js` shows 100% coverage across all metrics, indicating that the tests themselves were fully executed.
101+
102+
## Including and excluding
103+
104+
When working on applications, you might encounter situations where certain files or lines of code need to be excluded.
105+
106+
Node.js provides mechanisms to handle this, including the use of comments to ignore specific code sections and the CLI to exclude entire patterns.
107+
108+
### Using comments
109+
110+
```cjs displayName="main.js"
111+
function add(a, b) {
112+
return a + b;
113+
}
114+
115+
function isEven(num) {
116+
return num % 2 === 0;
117+
}
118+
119+
/* node:coverage ignore next 3 */
120+
function multiply(a, b) {
121+
return a * b;
122+
}
123+
124+
module.exports = { add, isEven, multiply };
125+
```
126+
127+
```text displayName="Coverage Report"
128+
✔ add() should add two numbers (1.430634ms)
129+
✔ isEven() should report whether a number is even (0.202118ms)
130+
ℹ tests 2
131+
ℹ suites 0
132+
ℹ pass 2
133+
ℹ fail 0
134+
ℹ cancelled 0
135+
ℹ skipped 0
136+
ℹ todo 0
137+
ℹ duration_ms 60.507104
138+
ℹ start of coverage report
139+
ℹ -------------------------------------------------------------
140+
ℹ file | line % | branch % | funcs % | uncovered lines
141+
ℹ -------------------------------------------------------------
142+
ℹ main.js | 100.00 | 100.00 | 100.00 |
143+
ℹ main.test.js | 100.00 | 100.00 | 100.00 |
144+
ℹ -------------------------------------------------------------
145+
ℹ all files | 100.00 | 100.00 | 100.00 |
146+
ℹ -------------------------------------------------------------
147+
ℹ end of coverage report
148+
```
149+
150+
When reporting coverage with this modified `main.js` file, the report will now show 100% coverage across all metrics. This is because the uncovered lines (9-11) have been ignored.
151+
152+
There are multiple ways to ignore sections of code using comments.
153+
154+
```cjs displayName="ignore next"
155+
function add(a, b) {
156+
return a + b;
157+
}
158+
159+
function isEven(num) {
160+
return num % 2 === 0;
161+
}
162+
163+
/* node:coverage ignore next 3 */
164+
function multiply(a, b) {
165+
return a * b;
166+
}
167+
168+
module.exports = { add, isEven, multiply };
169+
```
170+
171+
```cjs displayName="ignore next"
172+
function add(a, b) {
173+
return a + b;
174+
}
175+
176+
function isEven(num) {
177+
return num % 2 === 0;
178+
}
179+
180+
/* node:coverage ignore next */
181+
function multiply(a, b) {
182+
/* node:coverage ignore next */
183+
return a * b;
184+
/* node:coverage ignore next */
185+
}
186+
187+
module.exports = { add, isEven, multiply };
188+
```
189+
190+
```cjs displayName="disable"
191+
function add(a, b) {
192+
return a + b;
193+
}
194+
195+
function isEven(num) {
196+
return num % 2 === 0;
197+
}
198+
199+
/* node:coverage disable */
200+
function multiply(a, b) {
201+
return a * b;
202+
}
203+
/* node:coverage enable */
204+
205+
module.exports = { add, isEven, multiply };
206+
```
207+
208+
Each of these different methods will produce the same report, with 100% code coverage across all metrics.
209+
210+
### Using the CLI
211+
212+
Node.js offers two CLI arguments for managing the inclusion or exclusion of specific files in a coverage report.
213+
214+
The [`--test-coverage-include`](https://nodejs.org/api/cli.html#--test-coverage-include) flag (`coverageIncludeGlobs` in the `run()` API) restricts the coverage to files that match the provided glob pattern. By default, files in the `/node_modules/` directory are excluded, but this flag allows you to explicitly include them.
215+
216+
The [`--test-coverage-exclude`](https://nodejs.org/api/cli.html#--test-coverage-exclude) flag (`coverageExcludeGlobs` in the `run()` API) omits files that match the given glob pattern from the coverage report.
217+
218+
These flags can be used multiple times, and when both are used together, files must adhere to the inclusion rules, while also avoiding the exclusion rules.
219+
220+
```text displayName="Directory Structure"
221+
.
222+
├── main.test.js
223+
├── src
224+
│   ├── age.js
225+
│   └── name.js
226+
```
227+
228+
```text displayName="Coverage Report"
229+
ℹ start of coverage report
230+
ℹ -------------------------------------------------------------
231+
ℹ file | line % | branch % | funcs % | uncovered lines
232+
ℹ -------------------------------------------------------------
233+
ℹ main.test.js | 100.00 | 100.00 | 100.00 |
234+
ℹ src/age.js | 45.45 | 100.00 | 0.00 | 3-5 7-9
235+
ℹ src/name.js | 100.00 | 100.00 | 100.00 |
236+
ℹ -------------------------------------------------------------
237+
ℹ all files | 88.68 | 100.00 | 75.00 |
238+
ℹ -------------------------------------------------------------
239+
ℹ end of coverage report
240+
```
241+
242+
`src/age.js` has less-than-optimal coverage in the report above, but with the `--test-coverage-exclude` flag (`coverageExcludeGlobs` in the `run()` API), it can be excluded from the report entirely.
243+
244+
```bash displayName="CLI"
245+
node --experimental-test-coverage --test-coverage-exclude=src/age.js --test main.test.js
246+
```
247+
248+
```js displayName="run()"
249+
run({
250+
files: ['main.test.js'],
251+
coverage: true,
252+
coverageExclude: ['src/age.js'],
253+
});
254+
```
255+
256+
```text displayName="New coverage report"
257+
ℹ start of coverage report
258+
ℹ -------------------------------------------------------------
259+
ℹ file | line % | branch % | funcs % | uncovered lines
260+
ℹ -------------------------------------------------------------
261+
ℹ main.test.js | 100.00 | 100.00 | 100.00 |
262+
ℹ src/name.js | 100.00 | 100.00 | 100.00 |
263+
ℹ -------------------------------------------------------------
264+
ℹ all files | 100.00 | 100.00 | 100.00 |
265+
ℹ -------------------------------------------------------------
266+
ℹ end of coverage report
267+
```
268+
269+
Our test file is also included in this coverage report, but we only want JavaScript files in the `src/` directory. The `--test-coverage-include` flag (`coverageIncludeGlobs` in the `run()` API) can be used in this case.
270+
271+
```bash displayName="CLI"
272+
node --experimental-test-coverage --test-coverage-include=src/*.js --test main.test.js
273+
```
274+
275+
```js displayName="run()"
276+
run({ files: ['main.test.js'], coverage: true, coverageInclude: ['src/*.js'] });
277+
```
278+
279+
```text displayName="New coverage report"
280+
ℹ start of coverage report
281+
ℹ ------------------------------------------------------------
282+
ℹ file | line % | branch % | funcs % | uncovered lines
283+
ℹ ------------------------------------------------------------
284+
ℹ src/age.js | 45.45 | 100.00 | 0.00 | 3-5 7-9
285+
ℹ src/name.js | 100.00 | 100.00 | 100.00 |
286+
ℹ ------------------------------------------------------------
287+
ℹ all files | 72.73 | 100.00 | 66.67 |
288+
ℹ ------------------------------------------------------------
289+
ℹ end of coverage report
290+
```
291+
292+
## Thresholds
293+
294+
By default, when all tests pass, Node.js exits with code `0`, which indicates a successful execution. However, the coverage report can be configured to exit with code `1` when coverage is failing.
295+
296+
Node.js currently supports thresholds for all three of the coverages supported:
297+
298+
- [`--test-coverage-lines`](https://nodejs.org/api/cli.html#--test-coverage-linesthreshold) (`lineCoverage` in the `run()` API) for line coverage.
299+
- [`--test-coverage-branches`](https://nodejs.org/api/cli.html#--test-coverage-branchesthreshold) (`branchCoverage` in the `run()` API) for branch coverage.
300+
- [`--test-coverage-functions`](https://nodejs.org/api/cli.html#--test-coverage-functionsthreshold) (`functionCoverage` in the `run()` API) for function coverage.
301+
302+
If you wanted to require the previous example to have line coverage >= 90%, you could use the `--test-coverage-lines=90` flag (`lineCoverage: 90` in the `run()` API).
303+
304+
```bash displayName="CLI"
305+
node --experimental-test-coverage --test-coverage-lines=90 --test main.test.js
306+
```
307+
308+
```js displayName="run()"
309+
run({ files: ['main.test.js'], coverage: true, lineCoverage: 90 });
310+
```
311+
312+
```text displayName="Coverage Report"
313+
ℹ start of coverage report
314+
ℹ -------------------------------------------------------------
315+
ℹ file | line % | branch % | funcs % | uncovered lines
316+
ℹ -------------------------------------------------------------
317+
ℹ main.test.js | 100.00 | 100.00 | 100.00 |
318+
ℹ src/age.js | 45.45 | 100.00 | 0.00 | 3-5 7-9
319+
ℹ src/name.js | 100.00 | 100.00 | 100.00 |
320+
ℹ -------------------------------------------------------------
321+
ℹ all files | 88.68 | 100.00 | 75.00 |
322+
ℹ -------------------------------------------------------------
323+
ℹ end of coverage report
324+
ℹ Error: 88.68% line coverage does not meet threshold of 90%.
325+
```

packages/i18n/locales/en.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -119,7 +119,8 @@
119119
"testRunner": "Test Runner",
120120
"introduction": "Discovering Node.js's test runner",
121121
"usingTestRunner": "Using Node.js's test runner",
122-
"mocking": "Mocking in tests"
122+
"mocking": "Mocking in tests",
123+
"collectingCodeCoverage": "Collecting code coverage in Node.js"
123124
}
124125
}
125126
},

0 commit comments

Comments
 (0)