Translations: Français
All of the CLI options can be configured in the ava
section of either your package.json
file, or an ava.config.*
file. This allows you to modify the default behavior of the ava
command, so you don't have to repeatedly type the same options on the command prompt.
To ignore files, prefix the pattern with an !
(exclamation mark).
package.json
:
{
"ava": {
"files": [
"test/**/*",
"!test/exclude-files-in-this-directory",
"!**/exclude-files-with-this-name.*"
],
"match": [
"*oo",
"!foo"
],
"concurrency": 5,
"failFast": true,
"failWithoutAssertions": false,
"environmentVariables": {
"MY_ENVIRONMENT_VARIABLE": "some value"
},
"verbose": true,
"require": [
"./my-helper-module.js"
],
"nodeArguments": [
"--trace-deprecation",
"--napi-modules"
]
}
}
Arguments passed to the CLI will always take precedence over the CLI options configured in package.json
.
files
: an array of glob patterns to select test files. Files with an underscore prefix are ignored. By default only selects files withcjs
,mjs
&js
extensions, even if the pattern matches other files. Specifyextensions
to allow other file extensionswatchMode
: See the watch mode recipe for detailsmatch
: not typically useful in thepackage.json
configuration, but equivalent to specifying--match
on the CLIcache
: defaults totrue
to cache compiled files undernode_modules/.cache/ava
. Iffalse
, files are cached in a temporary directory insteadconcurrency
: max number of test files running at the same time (default: CPU cores)workerThreads
: use worker threads to run tests (enabled by default). Iffalse
, tests will run in child processesfailFast
: stop running further tests once a test failsfailWithoutAssertions
: iffalse
, does not fail a test if it doesn't run assertionsenvironmentVariables
: specifies environment variables to be made available to the tests. The environment variables defined here override the ones fromprocess.env
serial
: iftrue
, prevents parallel execution of tests within a filetap
: iftrue
, enables the TAP reporterverbose
: iftrue
, enables verbose output (though there currently non-verbose output is not supported)snapshotDir
: specifies a fixed location for storing snapshot files. Use this if your snapshots are ending up in the wrong locationextensions
: extensions of test files. Setting this overrides the default["cjs", "mjs", "js"]
value, so make sure to include those extensions in the list. Experimentally you can configure how files are loadedrequire
: extra modules to load before test filestimeout
: 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. See our timeout documentation for more options.nodeArguments
: Configure Node.js arguments used to launch worker processes.sortTestFiles
: A comparator function to sort test files with. Available only when using aava.config.*
file. See an example use case here.utilizeParallelBuilds
: Iffalse
, disable parallel builds (default: true)
Note that providing files on the CLI overrides the files
option.
Provide the typescript
option (and install @ava/typescript
as an additional dependency) for AVA to run tests written in TypeScript.
Rather than specifying the configuration in the package.json
file you can use ava.config.js
, ava.config.cjs
or ava.config.mjs
files.
To use these files:
- Your
package.json
must not contain anava
property (or, if it does, it must be an empty object) - You must only have one
ava.config.*
file in any directory, so don't mixava.config.js
andava.config.cjs
files
AVA searches your file system for ava.config.*
files. First, when you run AVA, it finds the closest package.json
. Starting in that directory it recursively checks the parent directories until it either reaches the file system root or encounters a .git
file or directory. The first ava.config.*
file found is selected. This allows you to use a single configuration file in a monorepo setup.
AVA follows Node.js' behavior, so if you've set "type": "module"
you must use ESM, and otherwise you must use CommonJS.
The default export can either be a plain object or a factory function which returns a plain object. You can export or return a promise for a plain object:
export default {
require: ['./_my-test-helper.js']
};
export default function factory() {
return {
require: ['./_my-test-helper.js']
};
};
The factory function is called with an object containing a projectDir
property, which you could use to change the returned configuration:
export default ({projectDir}) => {
if (projectDir === '/Users/username/projects/my-project') {
return {
// Config A
};
}
return {
// Config B
};
};
For ava.config.cjs
files you must assign module.exports
. "Module scope" is available. You can require()
dependencies.
The module export can either be a plain object or a factory function which returns a plain object. You can export or return a promise for a plain object:
module.exports = {
require: ['./_my-test-helper.js']
};
module.exports = () => {
return {
require: ['./_my-test-helper.js']
};
};
The factory function is called with an object containing a projectDir
property, which you could use to change the returned configuration:
module.exports = ({projectDir}) => {
if (projectDir === '/Users/username/projects/my-project') {
return {
// Config A
};
}
return {
// Config B
};
};
The default export can either be a plain object or a factory function which returns a plain object. You can export or return a promise for a plain object:
export default {
require: ['./_my-test-helper.js']
};
export default function factory() {
return {
require: ['./_my-test-helper.js']
};
};
The factory function is called with an object containing a projectDir
property, which you could use to change the returned configuration:
export default ({projectDir}) => {
if (projectDir === '/Users/username/projects/my-project') {
return {
// Config A
};
}
return {
// Config B
};
};
The CLI lets you specify a specific configuration file, using the --config
flag. This file must have either a .js
, .cjs
or .mjs
extension and is processed like an ava.config.js
, ava.config.cjs
or ava.config.mjs
file would be.
When the --config
flag is set, the provided file will override all configuration from the package.json
and ava.config.js
, ava.config.cjs
or ava.config.mjs
files. The configuration is not merged.
You can use this to customize configuration for a specific test run. For instance, you may want to run unit tests separately from integration tests:
ava.config.cjs
:
module.exports = {
files: ['unit-tests/**/*']
};
integration-tests.config.cjs
:
const baseConfig = require('./ava.config.cjs');
module.exports = {
...baseConfig,
files: ['integration-tests/**/*']
};
You can now run your unit tests through npx ava
and the integration tests through npx ava --config integration-tests.config.cjs
.
By default, AVA prints nested objects to a depth of 3
. However, when debugging tests with deeply nested objects, it can be useful to print with more detail. This can be done by setting util.inspect.defaultOptions.depth
to the desired depth, before the test is executed:
import util from 'util';
import test from 'ava';
util.inspect.defaultOptions.depth = 5; // Increase AVA's printing depth
test('My test', t => {
t.deepEqual(someDeeplyNestedObject, theExpectedValue);
});
AVA has a minimum depth of 3
.
From time to time, AVA will implement experimental features. These may change or be removed at any time, not just when there's a new major version. You can opt in to such a feature by enabling it in the nonSemVerExperiments
configuration.
ava.config.js
:
export default {
nonSemVerExperiments: {
feature: true
}
};
Node.js can only load non-standard extension as ES Modules when using experimental loaders. To use this you'll also have to configure AVA to import()
your test file.
As with the array form, you need to explicitly list js
, cjs
, and mjs
extensions. These must be set using the true
value; other extensions are configurable using either 'commonjs'
or 'module'
:
ava.config.js
:
export default {
extensions: {
js: true,
ts: 'module'
}
};
Use the require
configuration to load extra modules before test files are loaded. Relative paths are resolved against the project directory and can be loaded through @ava/typescript
. Otherwise, modules are loaded from within the node_modules
directory inside the project.
You may specify a single value, or an array of values:
ava.config.js
:
export default {
require: './_my-test-helper.js'
}
export default {
require: ['./_my-test-helper.js']
}
If the module exports a function, it is called and awaited:
_my-test-helper.js
:
export default function () {
// Additional setup
}
_my-test-helper.cjs
:
module.exports = function () {
// Additional setup
}
In CJS files, a default
export is also supported:
exports.default = function () {
// Never called
}
You can provide arguments:
ava.config.js
:
export default {
require: [
['./_my-test-helper.js', 'my', 'arguments']
]
}
_my-test-helper.js
:
export default function (first, second) { // 'my', 'arguments'
// Additional setup
}
Arguments are copied using the structured clone algorithm. This means Map
values survive, but a Buffer
will come out as a Uint8Array
.
You can load dependencies installed in your project:
ava.config.js
:
export default {
require: '@babel/register'
}
These may also export a function which is then invoked, and can receive arguments.
The nodeArguments
configuration may be used to specify additional arguments for launching worker processes. These are combined with --node-arguments
passed on the CLI and any arguments passed to the node
binary when starting AVA.
In a config file only, filterNodeArgumentsForWorkerThreads
may provide a function used for filtering nodeArguments
sent to worker threads. This enables excluding arguments that throw if sent to a thread. The filter is ignored by worker processes.
ava.config.js
:
const processOnly = new Set([
'--allow-natives-syntax',
'--expose-gc'
]);
export default {
filterNodeArgumentsForWorkerThreads: argument => !processOnly.has(argument)
}