Skip to content

Commit 0a05024

Browse files
committedJan 11, 2024
Implement registerCompletionHandler()
Register a function to be called when AVA has completed a test run without uncaught exceptions or unhandled rejections. Fixes #3279. * * Completion handlers are invoked in order of registration. Results are not awaited.
1 parent cc8b839 commit 0a05024

File tree

13 files changed

+117
-6
lines changed

13 files changed

+117
-6
lines changed
 

‎docs/01-writing-tests.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -154,7 +154,7 @@ AVA lets you register hooks that are run before and after your tests. This allow
154154

155155
If a test is skipped with the `.skip` modifier, the respective `.beforeEach()`, `.afterEach()` and `.afterEach.always()` hooks are not run. Likewise, if all tests in a test file are skipped `.before()`, `.after()` and `.after.always()` hooks for the file are not run.
156156

157-
*You may not need to use `.afterEach.always()` hooks to clean up after a test.* You can use [`t.teardown()`](./02-execution-context.md#tteardownfn) to undo side-effects *within* a particular test.
157+
*You may not need to use `.afterEach.always()` hooks to clean up after a test.* You can use [`t.teardown()`](./02-execution-context.md#tteardownfn) to undo side-effects *within* a particular test. Or use [`registerCompletionHandler()`](./08-common-pitfalls.md#timeouts-because-a-file-failed-to-exit) to run cleanup code after AVA has completed its work.
158158

159159
Like `test()` these methods take an optional title and an implementation function. The title is shown if your hook fails to execute. The implementation is called with an [execution object](./02-execution-context.md). You can use assertions in your hooks. You can also pass a [macro function](#reusing-test-logic-through-macros) and additional arguments.
160160

‎docs/07-test-timeouts.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@ Translations: [Français](https://github.com/avajs/ava-docs/blob/main/fr_FR/docs
44

55
[![Open in StackBlitz](https://developer.stackblitz.com/img/open_in_stackblitz.svg)](https://stackblitz.com/github/avajs/ava/tree/main/examples/timeouts?file=test.js&terminal=test&view=editor)
66

7-
Timeouts in AVA behave differently than in other test frameworks. AVA resets a timer after each test, forcing tests to quit if no new test results were received within the specified timeout. This can be used to handle stalled tests.
7+
Timeouts in AVA behave differently than in other test frameworks. AVA resets a timer after each test, forcing tests to quit if no new test results were received within the specified timeout. This can be used to handle stalled tests. This same mechanism is used to determine when a test file is preventing a clean exit.
88

99
The default timeout is 10 seconds.
1010

‎docs/08-common-pitfalls.md

+31
Original file line numberDiff line numberDiff line change
@@ -81,6 +81,37 @@ Error [ERR_WORKER_INVALID_EXEC_ARGV]: Initiated Worker with invalid execArgv fla
8181

8282
If possible don't specify the command line option when running AVA. Alternatively you could [disable worker threads in AVA](./06-configuration.md#options).
8383

84+
## Timeouts because a file failed to exit
85+
86+
You may get a "Timed out while running tests" error because AVA failed to exit when running a particular file.
87+
88+
AVA waits for Node.js to exit the worker thread or child process. If this takes too long, AVA counts it as a timeout.
89+
90+
It is best practice to make sure your code exits cleanly. We've also seen occurrences where an explicit `process.exit()` call inside a worker thread could not be observed in AVA's main process.
91+
92+
For these reasons we're not providing an option to disable this timeout behavior. However, it is possible to register a callback for when AVA has completed the test run without uncaught exceptions or unhandled rejections. From inside this callback you can do whatever you need to do, including calling `process.exit()`.
93+
94+
Create a `_force-exit.mjs` file:
95+
96+
```js
97+
import process from 'node:process';
98+
import { registerCompletionHandler } from 'ava';
99+
100+
registerCompletionHandler(() => {
101+
process.exit();
102+
});
103+
```
104+
105+
Completion handlers are invoked in order of registration. Results are not awaited.
106+
107+
Load it for all test files through AVA's `require` option:
108+
109+
```js
110+
export default {
111+
require: ['./_force-exit.mjs'],
112+
};
113+
```
114+
84115
## Sharing variables between asynchronous tests
85116

86117
By default AVA executes tests concurrently. This can cause problems if your tests are asynchronous and share variables.

‎entrypoints/main.d.mts

+8
Original file line numberDiff line numberDiff line change
@@ -10,3 +10,11 @@ declare const test: TestFn;
1010

1111
/** Call to declare a test, or chain to declare hooks or test modifiers */
1212
export default test;
13+
14+
/**
15+
* Register a function to be called when AVA has completed a test run without uncaught exceptions or unhandled rejections.
16+
*
17+
* Completion handlers are invoked in order of registration. Results are not awaited.
18+
*/
19+
declare const registerCompletionHandler: (handler: () => void) => void;
20+
export {registerCompletionHandler};

‎entrypoints/main.mjs

+1
Original file line numberDiff line numberDiff line change
@@ -1 +1,2 @@
11
export {default} from '../lib/worker/main.cjs';
2+
export {registerCompletionHandler} from '../lib/worker/completion-handlers.js';

‎lib/worker/base.js

+10-4
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,7 @@ import Runner from '../runner.js';
1515
import serializeError from '../serialize-error.js';
1616

1717
import channel from './channel.cjs';
18+
import {runCompletionHandlers} from './completion-handlers.js';
1819
import lineNumberSelection from './line-numbers.js';
1920
import {set as setOptions} from './options.cjs';
2021
import {flags, refs, sharedWorkerTeardowns} from './state.cjs';
@@ -23,17 +24,22 @@ import {isRunningInThread, isRunningInChildProcess} from './utils.cjs';
2324
const currentlyUnhandled = setUpCurrentlyUnhandled();
2425
let runner;
2526

26-
let forcingExit = false;
27+
let expectingExit = false;
2728

2829
const forceExit = () => {
29-
forcingExit = true;
30+
expectingExit = true;
3031
process.exit(1);
3132
};
3233

34+
const avaIsDone = () => {
35+
expectingExit = true;
36+
runCompletionHandlers();
37+
};
38+
3339
// Override process.exit with an undetectable replacement
3440
// to report when it is called from a test (which it should never be).
3541
const handleProcessExit = (target, thisArg, args) => {
36-
if (!forcingExit) {
42+
if (!expectingExit) {
3743
const error = new Error('Unexpected process.exit()');
3844
Error.captureStackTrace(error, handleProcessExit);
3945
channel.send({type: 'process-exit', stack: error.stack});
@@ -118,7 +124,7 @@ const run = async options => {
118124
nowAndTimers.setImmediate(() => {
119125
const unhandled = currentlyUnhandled();
120126
if (unhandled.length === 0) {
121-
return;
127+
return avaIsDone();
122128
}
123129

124130
for (const rejection of unhandled) {

‎lib/worker/completion-handlers.js

+13
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,13 @@
1+
import process from 'node:process';
2+
3+
import state from './state.cjs';
4+
5+
export function runCompletionHandlers() {
6+
for (const handler of state.completionHandlers) {
7+
process.nextTick(() => handler());
8+
}
9+
}
10+
11+
export function registerCompletionHandler(handler) {
12+
state.completionHandlers.push(handler);
13+
}

‎lib/worker/state.cjs

+1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
'use strict';
22
exports.flags = {loadedMain: false};
33
exports.refs = {runnerChain: null};
4+
exports.completionHandlers = [];
45
exports.sharedWorkerTeardowns = [];
56
exports.waitForReady = [];
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
import test, { registerCompletionHandler } from 'ava'
2+
3+
registerCompletionHandler(() => {
4+
process.exit(0)
5+
})
6+
7+
test('pass', t => t.pass())
+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
import test, { registerCompletionHandler } from 'ava'
2+
3+
registerCompletionHandler(() => {
4+
console.error('one')
5+
})
6+
7+
test('pass', t => {
8+
t.pass()
9+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
{
2+
"type": "module",
3+
"ava": {
4+
"files": [
5+
"*.js"
6+
]
7+
}
8+
}
+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
import test, { registerCompletionHandler } from 'ava'
2+
3+
registerCompletionHandler(() => {
4+
console.error('one')
5+
})
6+
registerCompletionHandler(() => {
7+
console.error('two')
8+
})
9+
10+
test('pass', t => t.pass())

‎test/completion-handlers/test.js

+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
import test from '@ava/test';
2+
3+
import {cleanOutput, fixture} from '../helpers/exec.js';
4+
5+
test('runs a single completion handler', async t => {
6+
const result = await fixture(['one.js']);
7+
t.is(cleanOutput(result.stderr), 'one');
8+
});
9+
10+
test('runs multiple completion handlers in registration order', async t => {
11+
const result = await fixture(['two.js']);
12+
t.deepEqual(cleanOutput(result.stderr).split('\n'), ['one', 'two']);
13+
});
14+
15+
test('completion handlers may exit the process', async t => {
16+
await t.notThrowsAsync(fixture(['exit0.js']));
17+
});

1 commit comments

Comments
 (1)

Jerbell commented on Jan 12, 2024

@Jerbell

@novemberborn Looks good. This should be in the next release?

Please sign in to comment.