Configuring Jest
Jestの設定は、プロジェクトの package.json
ファイルか、 jest.config.js
ファイルまたは --config <path/to/file.js|json>
オプションから、定義することができます。 package.json
に Jest の構成を保存する場合は、Jest が設定を見つけられるように "jest"
キーをトップレベルに設定する必要があります:
{
"name": "my-project",
"jest": {
"verbose": true
}
}
またはJavaScriptファイルで
// jest.config.js
module.exports = {
verbose: true,
};
出力される構成はJSON形式でシリアライズできなければならないことに留意して下さい。
--config
オプションを使用した場合、JSON ファイルには "jest" キーを含んではいけません。
{
"bail": true,
"verbose": true
}
オプション
オプションにより、 package.json
ファイル中で Jest の動作を制御できます。 Jestの哲学はデフォルトでうまく動作することですが、時にはより細かい設定が必要になることもあります。
automock
[boolean]bail
[boolean]browser
[boolean]cacheDirectory
[string]clearMocks
[boolean]collectCoverage
[boolean]collectCoverageFrom
[array]coverageDirectory
[string]coveragePathIgnorePatterns
[配列<string>]coverageReporters
[配列<string>]coverageThreshold
[object]displayName
[string]forceCoverageMatch
[配列<string>]globals
[object]globalSetup
[string]globalTeardown
[string]haste
[object]moduleDirectories
[配列<string>]moduleFileExtensions
[配列<string>]moduleNameMapper
[object<string, string>]modulePathIgnorePatterns
[配列<string>]modulePaths
[配列<string>]notify
[boolean]notifyMode
[string]preset
[string]projects
[配列<string | projectconfig>]reporters
[配列<modulename | [modulename, options]>]resetMocks
[boolean]resetModules
[boolean]resolver
[string]restoreMocks
[boolean]rootDir
[string]roots
[配列<string>]runner
[string]setupFiles
[array]setupTestFrameworkScriptFile
[string]snapshotSerializers
[配列<string>]testEnvironment
[string]testEnvironmentOptions
[Object]testFailureExitCode
[number]testMatch
[配列<string>]testPathIgnorePatterns
[配列<string>]testRegex
[string]testResultsProcessor
[string]testRunner
[string]testURL
[string]timers
[string]transform
[object<string, string>]transformIgnorePatterns
[配列<string>]unmockedModulePathPatterns
[配列<string>]verbose
[boolean]watchPathIgnorePatterns
[配列<string>]watchman
[boolean]
リファレンス
automock
[boolean]
デフォルト: false
このオプションにより、Jestはインポートされたすべてのモジュールが自動的にモックします。 テストで使用されるすべてのモジュールは、APIのインターフェースを維持したモック実装となります。
例:
// utils.js
export default {
authorize: () => {
return 'token';
},
isAuthorized: secret => secret === 'wizard',
};
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.
Note: Core modules, like fs
, are not mocked by default. They can be mocked explicitly, like jest.mock('fs')
.
bail
[boolean]
デフォルト: false
デフォルトでは、Jest はすべてのテストを実行し、完了時にすべてのエラーをコンソールに生成します。 The bail config option can be used here to have Jest stop running tests after the first failure.
browser
[boolean]
デフォルト: false
モジュールの依存関係を解決する際に package.json
内に記述されたBrowserifyの "browser"
フィールドを優先します。 一部のモジュールはNode上で動作しているかブラウザ上で動作しているかによって異なるバージョンを出力します。
cacheDirectory
[string]
デフォルト: "/tmp/<path>"
Jestがキャッシュする依存情報を格納するディレクトリを指定します。
Jestはテスト実行中に必要となるかもしれないファイルシステムを集めやすくするため、依存関係のツリーを一度(前もって) 読み込んでキャッシュします。 この設定オプションによりJestがディスク上にキャッシュを格納する場所を指定できます。
clearMocks
[boolean]
デフォルト: false
Automatically clear mock calls and instances before every test. Equivalent to calling jest.clearAllMocks()
before each test. このオプションは与えられたモックの実装を削除することはしません。
collectCoverage
[boolean]
デフォルト: false
テスト実行中にカバレッジ情報を取得するかどうかを指定します。 カバレッジ取得を指定して実行される全てのファイルについて書き換えるので、テストが大幅に遅くなることがあります。
collectCoverageFrom
[array]
デフォルト: undefined
カバレッジ情報を取得する対象のファイルを指定する globパターンの配列を設定します。 ファイルが指定されたglobパターンに一致すれば、ファイルにテストが存在せずテストスイートが必要としないファイルであってもカバレッジ情報を収集します。
例:
{
"collectCoverageFrom": [
"**/*.{js,jsx}",
"!**/node_modules/**",
"!**/vendor/**"
]
}
上記の設定ではプロジェクトの rootDir
配下の**/node_modules/**
または**/vendor/**
に一致するものを除いたすべてのファイルからカバレッジ情報を取得します。
注意: このオプションを使用するにはcollectCoverage
パラメータがtrueに設定されているか--coverage
オプションを付けてjestを実行する必要があります。
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 documentation to ensure your globs are compatible.
coverageDirectory
[string]
デフォルト: undefined
カバレッジ情報を出力するファイルを格納するディレクトリを指定します。
coveragePathIgnorePatterns
[配列<string>]
デフォルト: ["/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.
パターン文字列はフルパスに対して照合されます。 <rootDir>
文字列トークンをプロジェクトのルートディレクトリとして指定することで、異なるルートディレクトリを持ちうる異なる環境のファイルを誤って無視してしまうことを防ぐことができます。 例: ["<rootDir>/build/", "<rootDir>/node_modules/"]
。
coverageReporters
[配列<string>]
Default: ["json", "lcov", "text", "clover"]
カバレッジリポートを出力する際に Jest が使用するリポータのリストです。 任意の istanbul reporter が使用できます。
Note: Setting this option overwrites the default values. Add "text"
or "text-summary"
to see a coverage summary in the console output.
coverageThreshold
[object]
デフォルト: undefined
このオプションはカバレッジ取得結果の最小しきい値を強制的に設定します。 しきい値は、 global
、 glob およびディレクトリもしくはファイルパスを指定できます。 しきい値に到達しなかった場合、Jest はテストが失敗したと判定します。 正の値で指定されたしきい値を、最小限求められるカバレッジのパーセンテージとして設定します。 負のしきい値を設定することで、カバーされなかった部分の最大許容量を指定します。
たとえば、以下の設定では、ブランチ、行、関数でカバレッジが 80% を下回るものがあるか、または 10 個以上のステートメントがカバーされていなかった場合、Jest はテストが失敗したと判定します。
{
...
"jest": {
"coverageThreshold": {
"global": {
"branches": 80,
"functions": 80,
"lines": 80,
"statements": -10
}
}
}
}
もし glob またはパスが global
として指定されていれば、一致したパスのカバレッジデータは全体のカバレッジからは除外され、独自のしきい値が適用されます。 glob へのしきい値はその globs と一致する全てのファイルに適用されます。 指定されたパスのファイルが見つからない場合は、エラーが返されます。
例えば、以下の設定では:
{
...
"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 は以下の状況ではテストが失敗したと判断します:
./src/components
ディレクトリで、ブランチまたはステートメントのカバレッジが 40% 未満。./src/reducers/**/*.js
のglob表現に一致するファイルの1つのカバレッジが 90% 未満。./src/api/very-important-module.js
ファイルのカバレッジが 100% 未満。- 残りのファイルのカバレッジが 50% 未満 (
global
で設定)。
displayName
[string]
デフォルト: undefined
実行中に、テストの横にラベルを表示できます。 多くの Jest の設定ファイルがあるマルチプロジェクト・リポジトリで役立ちます。 This visually tells which project a test belongs to.
forceCoverageMatch
[配列<string>]
デフォルト: ['']
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.
たとえば、次のような .t.js
拡張子を持つソースファイルがある時、
// 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);
});
}
forceCoverageMatch
を設定することで、これらのファイルからカバレッジを集めることができます。
{
...
"jest": {
"forceCoverageMatch": ["**/*.t.js"]
}
}
globals
[object]
デフォルト: {}
全テスト環境で利用できるグローバル変数の配列を指定します。
例えば、下記の設定はグローバル変数 __DEV__
は全てのテスト環境において true
となります。
{
...
"jest": {
"globals": {
"__DEV__": true
}
}
}
(オブジェクトや配列のような)グローバル参照値を指定して一部のコードでテスト中にその値に変更を加える場合は、その変更は異なるテストファイルで実行されるテスト間で保存されない ことに注意して下さい。 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]
デフォルト: undefined
このオプションでは、カスタムのグローバルセットアップモジュールを指定することができます。モジュールでは、すべてのテストスイーツの前に一度だけトリガされる非同期関数をエクスポートします。
globalTeardown
[string]
デフォルト: undefined
このオプションでは、カスタムのグローバルティアダウンモジュールを指定することができます。モジュールでは、すべてのテストスイーツの後に一度だけトリガされる非同期関数をエクスポートします。
haste
[object]
デフォルト: 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:
type HasteConfig = {
// Whether to hash files using SHA-1.
computeSha1?: boolean;
// The platform to use as the default, e.g. 'ios'.
defaultPlatform?: string | null;
// Path to a custom implementation of Haste.
hasteImplModulePath?: string;
// All platforms to target, e.g ['ios', 'android'].
platforms?: Array<string>;
// Whether to throw on error on module collision.
throwOnModuleCollision?: boolean;
};
moduleDirectories
[配列<string>]
デフォルト: ["node_modules"]
必要なモジュールの格納場所から上方向に再帰的に探索を行うディレクトリ名の配列を指定します。 このオプションを指定することで既定値が上書きされるため、 node_modules
内でパッケージの探索を行いたい場合は、他のオプションに加えて次の配列を追加して下さい: ["node_modules", "bower_components"]
moduleFileExtensions
[配列<string>]
デフォルト: ["js", "json", "jsx", "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.
If you are using TypeScript, you will want to add "ts"
and/or "tsx"
to the above default. Where you place these is up to you - we recommend placing the extensions most commonly used in your project on the left.
moduleNameMapper
[object<string, string>]
デフォルト: null
単一のモジュールで画像やスタイルのようなリソースをスタブさせるために利用する正規表現パターンからモジュール名へのマップを指定します。
別名にマップされているモジュールはデフォルトでは自動モック機能が有効かどうかに関わらずモックされません。
ファイルパスでrootDir
を使いたい場合は、<rootDir>
文字列トークンを設定して下さい。
加えて、正規表現によりキャプチャした文字列を数字付きの後方参照を使って代入することができます。
例:
{
"moduleNameMapper": {
"^image![a-zA-Z0-9$_-]+$": "GlobalImageStub",
"^[./a-zA-Z0-9$_-]+\\.png$": "<rootDir>/RelativeImageStub.js",
"module_name_(.*)": "<rootDir>/substituted_module_$1.js"
}
}
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.
注意: モジュール名を 正規表現^$
による境界なしでモジュール名を指定するとエラーの特定が困難となることがあります。 例えば relay
という表現では relay
を名前に含む全てのモジュール名の置換を行います: relay
, react-relay
そして graphql-relay
の全てが指定したスタブに置き換わります。
modulePathIgnorePatterns
[配列<string>]
デフォルト: []
モジュールローダーから'見える'状態となる前に全てのモジュールパスに対して照合する正規表現の文字列の配列を指定します。 与えられたモジュールのパスがこの正規表現に一致した場合、テスト環境では当該モジュールはrequire()
できなくなります。
パターン文字列はフルパスに対して照合されます。 <rootDir>
文字列トークンをプロジェクトのルートディレクトリとして指定することで、異なるルートディレクトリを持ちうる異なる環境のファイルを誤って無視してしまうことを防ぐことができます。 例: [「< rootDir > ビルド/」]
。
modulePaths
[配列<string>]
デフォルト: []
NODE_PATH
環境変数を設定する代わりの API として、modulePaths
にはモジュールの依存関係の解決を行う際の追加のロケーションの絶対パスの配列を指定します。 プロジェクトのルートディレクトリへのパスを指定するには<rootDir>
文字列トークンを使用して下さい。 例: ["<rootDir>/app/"]
。
notify
[boolean]
デフォルト: false
テスト結果の通知機能を有効にします。
注意: Jest は node-notifier を使用してデスクトップ通知を表示します。 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]
デフォルト: always
Specifies notification mode. Requires notify: true
.
モード
always
: 常に通知を送ります。failure
: テストが失敗した場合に通知を送ります。success
: テストが成功した場合に通知を送ります。change
: ステータスが変化した場合に通知を送ります。success-change
: テストが成功したか、一度失敗した場合に通知を送ります。failure-change
: テストが失敗したとき、またはパスするようになった場合に通知を送ります。
preset
[string]
デフォルト: 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
or jest-preset.js
file at the root.
For example, this preset foo-bar/jest-preset.js
will be configured as follows:
{
"preset": "foo-bar"
}
Presets may also be relative to filesystem paths.
{
"preset": "./node_modules/foo-bar/jest-preset.js"
}
projects
[配列<string | projectconfig>]
デフォルト: undefined
projects
設定がパスやglobパターンの配列で与えられた場合、Jestは指定されたプロジェクト全てで同時にテストを実行します。 このオプションはmonorepo構成のプロジェクトや同時に複数のプロジェクトに従事している時に効果を発揮します。
{
"projects": ["<rootDir>", "<rootDir>/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.
プロジェクト機能は、複数の設定や複数のランナーを走らせるためにも使用できます。 For this purpose, you can pass an array of configuration objects. たとえば、テストと ESLint (via jest-runner-eslint) の両方を Jest の同じ呼び出しで実行するには、次のような設定を書きます。
{
"projects": [
{
"displayName": "test"
},
{
"displayName": "lint",
"runner": "jest-runner-eslint",
"testMatch": ["<rootDir>/**/*.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
[配列<modulename | [modulename, options]>]
デフォルト: undefined
Jestにカスタムレポーターを追加するにはこの設定オプションを指定します。 カスタムレポーターは、 onRunStart
、onTestStart
、onTestResult
、 onRunComplete
メソッドを実装したクラスであり、各イベントが発生した場合にこれらのメソッドが呼ばれます。
If custom reporters are specified, the default Jest reporters will be overridden. To keep default reporters, default
can be passed as a module name.
以下の設定はデフォルトのレポーターを上書きします。
{
"reporters": ["<rootDir>/my-custom-reporter.js"]
}
以下の設定はJestが提供するデフォルトのレポーターに加えてカスタムレポーターを使用します。
{
"reporters": ["default", "<rootDir>/my-custom-reporter.js"]
}
加えて、カスタムレポーターは第2引数にoptions
オプションを渡すことで設定を行うことができます。
{
"reporters": [
"default",
["<rootDir>/my-custom-reporter.js", {"banana": "yes", "pineapple": "no"}]
]
}
カスタムレポーターのモジュールはコンストラクタ引数にGlobalConfig
とレポーターオプションをとるクラスとして定義されなければなりません。
レポーターの例:
// 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;
カスタムレポーターはgetLastError()
メソッドでエラーを返すことでJestを0でない戻り値で終了させることができます。
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
resetMocks
[boolean]
デフォルト: false
Automatically reset mock state before every test. Equivalent to calling jest.resetAllMocks()
before each test. このオプションはあらゆるモックに見せかけの実装を削除させますが、モックを最初の時点の実装に戻すものではありません。
resetModules
[boolean]
デフォルト: 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. プログラム内で jest.resetModules()
を利用することでも同様のことができます。
resolver
[string]
デフォルト: undefined
カスタムのリゾルバを利用する場合はこのオプションを指定します。 このリゾルバは、第1引数に依存関係の解決に用いるパスの文字列を、第2引数に以下の構造のオブジェクトを受け取る関数をエクスポートするnodeモジュールでなければなりません:
{
"basedir": string,
"browser": boolean,
"extensions": [string],
"moduleDirectory": [string],
"paths": [string],
"rootDir": [string]
}
関数は解決されるべきモジュールへのパスかモジュールが見つからなければエラーを返します。
restoreMocks
[boolean]
デフォルト: false
Automatically restore mock state before every test. Equivalent to calling jest.restoreAllMocks()
before each test. このオプションを指定することで、あらゆるモックに見せかけの実装を削除させ、モックを最初の時点の実装に戻させることができます。
rootDir
[string]
Default: The root of the directory containing your Jest config file or the package.json
or the pwd
if no package.json
is found
Jestがテストとモジュールをその範囲内で探索するルートディレクトリを指定します。 package.json
にJestの設定を記述してルートディレクトリをリポジトリのルートをしたい場合、この設定のパラメータ値はデフォルトのpackage.json
が格納されているディレクトリとなります。
多くの場合、リポジトリのどこにソースコードを格納するかによって、 'src'
または 'lib'
に設定されるでしょう。
パスを指定する他のオプションで'<rootDir>'
を文字列トークンとして利用する場合は、このオプションの値を参照することに注意して下さい。 このため、例えばsetupFiles
オプションのエントリポイントをルートディレクトリ直下の env-setup.js
ファイルとしたい場合は、このオプションの値は ["<rootDir>/env-setup.js"]
となるでしょう。
roots
[配列<string>]
デフォルト: ["<rootDir>"]
Jestがその中でファイルを探索するのに使用するディレクトリのパスを使用します。
Jestに単一のサブディレクトリのみを探索させ(リポジトリ内にsrc/
ディレクトリがあるなど)、リポジトリの残りの場所にはアクセスさせたくない場合に有用です。
注意: rootDir
が他の設定オプションで再利用されるトークンとして最も頻繁に使われる一方で、roots
はJestの内部でテストファイルやソースコードファイルを見つけるのに使われます。 これは node_modules
から手動モック用にモジュールを見つける際にも適用されます(__mocks__
も roots
の中にある必要があります)。
注意: デフォルトでは、 roots
は <rootDir>
のみをエントリとして持ちますが、1つのプロジェクトで複数の roots を設定したい場合は、例えば次のように設定します: roots: ["<rootDir>/src/", "<rootDir>/tests/"]
。
runner
[string]
デフォルト: "jest-runner"
This option allows you to use a custom runner instead of Jest's default test runner. Examples of runners include:
テストランナーを書くには、コンストラクタに globalConfig
を取り、以下のシグネチャを持つ runTests
メソッドを定義したクラスをエクスポートします。
async runTests(
tests: Array<Test>,
watcher: TestWatcher,
onStart: OnTestStart,
onResult: OnTestSuccess,
onFailure: OnTestFailure,
options: TestRunnerOptions,
): Promise<void>
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]
デフォルト: []
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. 各テストは個々の環境でテストを実行するため、これらのスクリプトはテスト環境にてテストコードそれ自身の実行前に直ちに実行されます。
It's also worth noting that setupFiles
will execute before setupTestFrameworkScriptFile
.
setupTestFrameworkScriptFile
[string]
デフォルト: undefined
The path to a module that runs some code to configure or set up the testing framework before each test file in the suite is executed. setupFiles
で指定したスクリプトはテストフレームワークを環境にインストールする前に実行されるため、このオプションで指定したスクリプトファイルは環境にテストフレームワークがインストールされた直後のタイミングでコードを実行することができます。
If you want a path to be relative to the root directory of your project, please include <rootDir>
inside a path's string, like "<rootDir>/a-configs-folder"
.
例えばJestはjasmineのAPIにモンキーパッチを当てて動作するjasmine
のプラグインをいくつか提供しています。 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.
Example setupTestFrameworkScriptFile
in a jest.config.js:
module.exports = {
setupTestFrameworkScriptFile: './jest.setup.js',
};
Example jest.setup.js
file
jest.setTimeout(10000); // in milliseconds
snapshotSerializers
[配列<string>]
デフォルト: []
Jestがスナップショットテストに利用するスナップショットのシリアライザーのモジュールのパスのリストを指定します。
Jest は組み込みの JavaScript 型、HTML 要素 (Jest バージョン20.0.0+)、ImmutableJS (Jest バージョン20.0.0+)、そして React 要素に対応したデフォルトのシリアライザーを備えています。 詳細については snapshot test tutorial を参照してください。
シリアライザー モジュールの例:
// 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.
my-serializer-module
をシリアライザーとして使用する場合は、下記のような設定になります。
{
...
"jest": {
"snapshotSerializers": ["my-serializer-module"]
}
}
最終的にテストは下記のようになります:
test(() => {
const bar = {
foo: {
x: 1,
y: 2,
},
};
expect(bar).toMatchSnapshot();
});
レンダリングされたスナップショット:
Pretty foo: Object {
"x": 1,
"y": 2,
}
シリアライザーの依存関係を暗黙的から明示的なものにするには、Jest の設定に snapshotSerializers
へのパスを追加する代わりに、expect.addSnapshotSerializer
を呼び出してテストファイルに対応するモジュールを追加することもできます。
More about serializers API can be found here.
testEnvironment
[string]
デフォルト: "jsdom"
テスト実行時に使用されるテスト環境を指定します。 Jest のデフォルトの環境は、 jsdom を介したブラウザライクな環境です。 Node環境によるサービスを構築する場合は、 node
オプションを指定することでnodeライクな環境を代わりに使うことができます。
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:
/**
* @jest-environment jsdom
*/
test('use jsdom in this test file', () => {
const element = document.createElement('div');
expect(element).not.toBeNull();
});
テスト環境のセットアップに使用する独自のモジュールを作成できます。 モジュールは、setup
、 teardown
および runScript
メソッドを持つクラスをエクスポートする必要があります。 変数を this.global
オブジェクトに束縛することで、このモジュールからテストスイートに変数を渡すこともできます。つまり、テストスイーツ内でグローバル変数をして使用することができるようになります。
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 looke like this:
/**
* @jest-environment ./src/test/my-custom-environment
*/
Note: TestEnvironment is sandboxed. Each test suite will trigger setup/teardown in their own TestEnvironment.
例:
// 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();
}
runScript(script) {
return super.runScript(script);
}
}
module.exports = CustomEnvironment;
// my-test-suite
/**
* @jest-environment ./my-custom-environment
*/
let someGlobalObject;
beforeAll(() => {
someGlobalObject = global.someGlobalObject;
});
Note: Jest comes with JSDOM@11 by default. Due to JSDOM 12 and newer dropping support for Node 6, Jest is unable to upgrade for the time being. However, you can install a custom testEnvironment
with whichever version of JSDOM you want. E.g. jest-environment-jsdom-thirteen, which has JSDOM@13.
testEnvironmentOptions
[Object]
デフォルト: {}
testEnvironment
に渡されるテスト環境のオプションです。 The relevant options depend on the environment. For example, you can override options given to jsdom such as {userAgent: "Agent/007"}
.
testFailureExitCode
[number]
デフォルト: 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
[配列<string>]
(default: [ "**/__tests__/**/*.js?(x)", "**/?(*.)+(spec|test).js?(x)" ]
)
テストファイルを検出するのにJestが使用するglobパターンを指定します。 By default it looks for .js
and .jsx
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
). test.js
または spec.js
といったファイルについても同様に見つけます。
See the micromatch package for details of the patterns you can specify.
See also testRegex
[string], but note that you cannot specify both options.
testPathIgnorePatterns
[配列<string>]
デフォルト: ["/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.
パターン文字列はフルパスに対して照合されます。 <rootDir>
文字列トークンをプロジェクトのルートディレクトリとして指定することで、異なるルートディレクトリを持ちうる異なる環境のファイルを誤って無視してしまうことを防ぐことができます。 例: ["<rootDir>/build/", "<rootDir>/node_modules/"]
。
testRegex
[string]
デフォルト: (/__tests__/.*|(\\.|/)(test|spec))\\.jsx?$
テストファイルを検出するのにJestが使用するパターンを指定します。 By default it looks for .js
and .jsx
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
). test.js
または spec.js
といったファイルについても同様に見つけます。 See also testMatch
[array<string>], but note that you cannot specify both options.
以下はデフォルトの正規表現を可視化したものです。
├── __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]
デフォルト: undefined
独自の results processor を利用する場合はこのオプションを指定します。 results processor は、以下の構造のオブジェクトを第一引数として期待する関数をエクスポートする node モジュールで、引数に取ったオブジェクトを返す必要があります:
{
"success": boolean,
"startTime": epoch,
"numTotalTestSuites": number,
"numPassedTestSuites": number,
"numFailedTestSuites": number,
"numRuntimeErrorTestSuites": number,
"numTotalTests": number,
"numPassedTests": number,
"numFailedTests": number,
"numPendingTests": number,
"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": {}
},
...
]
}
testRunner
[string]
デフォルト: jasmine2
This option allows the use of a custom test runner. The default is jasmine2. A custom test runner can be provided by specifying a path to a test runner implementation.
テストランナーのモジュールは、下記のシグネチャを持つ関数をエクスポートしなければなりません:
function testRunner(
globalConfig: GlobalConfig,
config: ProjectConfig,
environment: Environment,
runtime: Runtime,
testPath: string,
): Promise<TestResult>;
このような関数の例は、デフォルトの jasmine2 test runner packageで確認できます。
testURL
[string]
デフォルト: about:blank
This option sets the URL for the jsdom environment. It is reflected in properties such as location.href
.
timers
[string]
デフォルト: real
この値を fake
に設定することで、setTimeout
などの関数に対して偽のタイマーを使用することができます。 偽のタイマーはテストでは待ちたくないような長いタイムアウト時間を設定するようなコードがある時に役立ちます。
transform
[object<string, string>]
Default: {"^.+\\.[jt]sx?$": "babel-jest"}
正規表現からtransformerへのパスへのマップを指定します。 transformerはソースファイルを変換する同期処理を行う関数を提供するモジュールです。 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. 例: examples/typescript の例や webpack tutorial を参照してください。
Examples of such compilers include:
- Babel
- TypeScript
- async-to-gen
- 独自のビルドを行うには、 独自トランスパイラ セクションを参照
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.
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. babel-jest pluginを参照して下さい。
transformIgnorePatterns
[配列<string>]
デフォルト: ["/node_modules/"]
An array of regexp pattern strings that are matched against all source file paths before transformation. If the test path matches any of the patterns, it will not be transformed.
パターン文字列はフルパスに対して照合されます。 <rootDir>
文字列トークンをプロジェクトのルートディレクトリとして指定することで、異なるルートディレクトリを持ちうる異なる環境のファイルを誤って無視してしまうことを防ぐことができます。
例:["<rootDir>/bower_components/", "<rootDir>/node_modules/"]
。
Sometimes it happens (especially in React Native or TypeScript projects) that 3rd party modules are published as untranspiled. 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.
unmockedModulePathPatterns
[配列<string>]
デフォルト: []
モジュールローダーが自動的にモック返す前に全てのモジュールに対して照合する正規表現パターンの配列を指定します。 モジュールのパスがリスト中のいずれかのパターンにマッチした場合、モジュールローダーによる自動的なモック化は行われません。
このオプションは(underscore/lo-dashなどのような) ほぼ常にプライベートな処理の実装には、ほぼいつも利用される一般的に'ユーティリティ' モジュールに関して役に立ちます。 出来るだけこのリストを小さく保ち、個々のテスト内でjest.mock()
/jest.unmock()
を常に明示的に使用することが大抵の場合でベストプラクティスとなります。 明示的にテスト前にセットアップを行うことで、テストを読む他の人がそのテストがなぜその環境で実行されるのかを理解するのがとても簡単にになります。
個々のテストにおいて、テストファイルの先頭でjest.mock()
を明示的に呼び出す事でこの設定を上書きすることが可能です。
verbose
[boolean]
デフォルト: 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
[配列<string>]
デフォルト: []
ウォッチモードでテストを再実行する前に、全てのソースファイルのパスと照合させる正規表現パターンの配列です。 ファイルのパスがパターンのどれかに一致していれば、ファイルが更新された際にテストを再実行しません。
正規表現パターンはフルパスに対して照合されます。 <rootDir>
文字列トークンをプロジェクトのルートディレクトリとして指定することで、異なるルートディレクトリを持ちうる異なる環境のファイルを誤って無視してしまうことを防ぐことができます。 例: ["<rootDir>/node_modules/"]
Even if nothing is specified here, the watcher will ignore changes to any hidden files and directories, i.e. files and folders that begin with a dot (.
).
watchman
[boolean]
Default: true
Whether to use watchman
for file crawling.