TestInfo
TestInfo contains information about currently running test. It is available to test functions, test.beforeEach(), test.afterEach(), test.beforeAll() and test.afterAll() hooks, and test-scoped fixtures. TestInfo provides utilities to control test execution: attach files, update test timeout, determine which test is currently running and whether it was retried, etc.
import { test, expect } from '@playwright/test';
test('basic test', async ({ page }, testInfo) => {
  expect(testInfo.title).toBe('basic test');
  await page.screenshot(testInfo.outputPath('screenshot.png'));
});
Methods
attach
Added in: v1.10Attach a value or a file from disk to the current test. Some reporters show test attachments. Either path or body must be specified, but not both.
For example, you can attach a screenshot to the test:
import { test, expect } from '@playwright/test';
test('basic test', async ({ page }, testInfo) => {
  await page.goto('https://playwright.dev');
  const screenshot = await page.screenshot();
  await testInfo.attach('screenshot', { body: screenshot, contentType: 'image/png' });
});
Or you can attach files returned by your APIs:
import { test, expect } from '@playwright/test';
import { download } from './my-custom-helpers';
test('basic test', async ({}, testInfo) => {
  const tmpPath = await download('a');
  await testInfo.attach('downloaded', { path: tmpPath });
});
testInfo.attach() automatically takes care of copying attached files to a location that is accessible to reporters. You can safely remove the attachment after awaiting the attach call.
Usage
await testInfo.attach(name);
await testInfo.attach(name, options);
Arguments
- 
Attachment name. The name will also be sanitized and used as the prefix of file name when saving to disk. 
- 
optionsObject (optional)- 
bodystring | Buffer (optional)#Attachment body. Mutually exclusive with path. 
- 
contentTypestring (optional)#Content type of this attachment to properly present in the report, for example 'application/json'or'image/png'. If omitted, content type is inferred based on the path, or defaults totext/plainfor string attachments andapplication/octet-streamfor Buffer attachments.
- 
Path on the filesystem to the attached file. Mutually exclusive with body. 
 
- 
Returns
fail()
Added in: v1.10Marks the currently running test as "should fail". Playwright Test runs this test and ensures that it is actually failing. This is useful for documentation purposes to acknowledge that some functionality is broken until it is fixed. This is similar to test.fail().
Usage
testInfo.fail();
fail(condition)
Added in: v1.10Conditionally mark the currently running test as "should fail" with an optional description. This is similar to test.fail().
Usage
testInfo.fail(condition);
testInfo.fail(condition, description);
Arguments
- 
Test is marked as "should fail" when the condition is true.
- 
descriptionstring (optional)#Optional description that will be reflected in a test report. 
fixme()
Added in: v1.10Mark a test as "fixme", with the intention to fix it. Test is immediately aborted. This is similar to test.fixme().
Usage
testInfo.fixme();
fixme(condition)
Added in: v1.10Conditionally mark the currently running test as "fixme" with an optional description. This is similar to test.fixme().
Usage
testInfo.fixme(condition);
testInfo.fixme(condition, description);
Arguments
- 
Test is marked as "fixme" when the condition is true.
- 
descriptionstring (optional)#Optional description that will be reflected in a test report. 
outputPath
Added in: v1.10Returns a path inside the testInfo.outputDir where the test can safely put a temporary file. Guarantees that tests running in parallel will not interfere with each other.
import { test, expect } from '@playwright/test';
import fs from 'fs';
test('example test', async ({}, testInfo) => {
  const file = testInfo.outputPath('dir', 'temporary-file.txt');
  await fs.promises.writeFile(file, 'Put some data to the dir/temporary-file.txt', 'utf8');
});
Note that
pathSegmentsaccepts path segments to the test output directory such astestInfo.outputPath('relative', 'path', 'to', 'output'). However, this path must stay within the testInfo.outputDir directory for each test (i.e.test-results/a-test-title), otherwise it will throw.
Usage
testInfo.outputPath(...pathSegments);
Arguments
Returns
setTimeout
Added in: v1.10Changes the timeout for the currently running test. Zero means no timeout. Learn more about various timeouts.
Timeout is usually specified in the configuration file, but it could be useful to change the timeout in certain scenarios:
import { test, expect } from '@playwright/test';
test.beforeEach(async ({ page }, testInfo) => {
  // Extend timeout for all tests running this hook by 30 seconds.
  testInfo.setTimeout(testInfo.timeout + 30000);
});
Usage
testInfo.setTimeout(timeout);
Arguments
skip()
Added in: v1.10Unconditionally skip the currently running test. Test is immediately aborted. This is similar to test.skip().
Usage
testInfo.skip();
skip(condition)
Added in: v1.10Conditionally skips the currently running test with an optional description. This is similar to test.skip().
Usage
testInfo.skip(condition);
testInfo.skip(condition, description);
Arguments
- 
A skip condition. Test is skipped when the condition is true.
- 
descriptionstring (optional)#Optional description that will be reflected in a test report. 
slow()
Added in: v1.10Marks the currently running test as "slow", giving it triple the default timeout. This is similar to test.slow().
Usage
testInfo.slow();
slow(condition)
Added in: v1.10Conditionally mark the currently running test as "slow" with an optional description, giving it triple the default timeout. This is similar to test.slow().
Usage
testInfo.slow(condition);
testInfo.slow(condition, description);
Arguments
- 
Test is marked as "slow" when the condition is true.
- 
descriptionstring (optional)#Optional description that will be reflected in a test report. 
snapshotPath
Added in: v1.10Returns a path to a snapshot file with the given name. Pass kind to obtain a specific path:
- kind: 'screenshot'for expect(page).toHaveScreenshot();
- kind: 'aria'for expect(locator).toMatchAriaSnapshot();
- kind: 'snapshot'for expect(value).toMatchSnapshot().
Usage
await expect(page).toHaveScreenshot('header.png');
// Screenshot assertion above expects screenshot at this path:
const screenshotPath = test.info().snapshotPath('header.png', { kind: 'screenshot' });
await expect(page.getByRole('main')).toMatchAriaSnapshot({ name: 'main.aria.yml' });
// Aria snapshot assertion above expects snapshot at this path:
const ariaSnapshotPath = test.info().snapshotPath('main.aria.yml', { kind: 'aria' });
expect('some text').toMatchSnapshot('snapshot.txt');
// Snapshot assertion above expects snapshot at this path:
const snapshotPath = test.info().snapshotPath('snapshot.txt');
expect('some text').toMatchSnapshot(['dir', 'subdir', 'snapshot.txt']);
// Snapshot assertion above expects snapshot at this path:
const nestedPath = test.info().snapshotPath('dir', 'subdir', 'snapshot.txt');
Arguments
- 
The name of the snapshot or the path segments to define the snapshot file path. Snapshots with the same name in the same test file are expected to be the same. When passing kind, multiple name segments are not supported. 
- 
optionsObject (optional)- 
kind"snapshot" | "screenshot" | "aria" (optional) Added in: v1.53#The snapshot kind controls which snapshot path template is used. See testConfig.snapshotPathTemplate for more details. Defaults to 'snapshot'.
 
- 
Returns
Properties
annotations
Added in: v1.10The list of annotations applicable to the current test. Includes annotations from the test, annotations from all test.describe() groups the test belongs to and file-level annotations for the test file.
Learn more about test annotations.
Usage
testInfo.annotations
Type
attachments
Added in: v1.10The list of files or buffers attached to the current test. Some reporters show test attachments.
To add an attachment, use testInfo.attach() instead of directly pushing onto this array.
Usage
testInfo.attachments
Type
- Array<Object>
- 
namestringAttachment name. 
- 
contentTypestringContent type of this attachment to properly present in the report, for example 'application/json'or'image/png'.
- 
pathstring (optional)Optional path on the filesystem to the attached file. 
- 
bodyBuffer (optional)Optional attachment body used instead of a file. 
 
- 
column
Added in: v1.10Column number where the currently running test is declared.
Usage
testInfo.column
Type
config
Added in: v1.10Processed configuration from the configuration file.
Usage
testInfo.config
Type
duration
Added in: v1.10The number of milliseconds the test took to finish. Always zero before the test finishes, either successfully or not. Can be used in test.afterEach() hook.
Usage
testInfo.duration
Type
error
Added in: v1.10First error thrown during test execution, if any. This is equal to the first element in testInfo.errors.
Usage
testInfo.error
Type
errors
Added in: v1.10Errors thrown during test execution, if any.
Usage
testInfo.errors
Type
expectedStatus
Added in: v1.10Expected status for the currently running test. This is usually 'passed', except for a few cases:
- 'skipped'for skipped tests, e.g. with test.skip();
- 'failed'for tests marked as failed with test.fail().
Expected status is usually compared with the actual testInfo.status:
import { test, expect } from '@playwright/test';
test.afterEach(async ({}, testInfo) => {
  if (testInfo.status !== testInfo.expectedStatus)
    console.log(`${testInfo.title} did not run as expected!`);
});
Usage
testInfo.expectedStatus
Type
- "passed" | "failed" | "timedOut" | "skipped" | "interrupted"
file
Added in: v1.10Absolute path to a file where the currently running test is declared.
Usage
testInfo.file
Type
fn
Added in: v1.10Test function as passed to test(title, testFunction).
Usage
testInfo.fn
Type
line
Added in: v1.10Line number where the currently running test is declared.
Usage
testInfo.line
Type
outputDir
Added in: v1.10Absolute path to the output directory for this specific test run. Each test run gets its own directory so they cannot conflict.
Usage
testInfo.outputDir
Type
parallelIndex
Added in: v1.10The index of the worker between 0 and workers - 1. It is guaranteed that workers running at the same time have a different parallelIndex. When a worker is restarted, for example after a failure, the new worker process has the same parallelIndex.
Also available as process.env.TEST_PARALLEL_INDEX. Learn more about parallelism and sharding with Playwright Test.
Usage
testInfo.parallelIndex
Type
project
Added in: v1.10Processed project configuration from the configuration file.
Usage
testInfo.project
Type
repeatEachIndex
Added in: v1.10Specifies a unique repeat index when running in "repeat each" mode. This mode is enabled by passing --repeat-each to the command line.
Usage
testInfo.repeatEachIndex
Type
retry
Added in: v1.10Specifies the retry number when the test is retried after a failure. The first test run has testInfo.retry equal to zero, the first retry has it equal to one, and so on. Learn more about retries.
import { test, expect } from '@playwright/test';
test.beforeEach(async ({}, testInfo) => {
  // You can access testInfo.retry in any hook or fixture.
  if (testInfo.retry > 0)
    console.log(`Retrying!`);
});
test('my test', async ({ page }, testInfo) => {
  // Here we clear some server-side state when retrying.
  if (testInfo.retry)
    await cleanSomeCachesOnTheServer();
  // ...
});
Usage
testInfo.retry
Type
snapshotDir
Added in: v1.10Absolute path to the snapshot output directory for this specific test. Each test suite gets its own directory so they cannot conflict.
This property does not account for the testProject.snapshotPathTemplate configuration.
Usage
testInfo.snapshotDir
Type
snapshotSuffix
Added in: v1.10Use of testInfo.snapshotSuffix is discouraged. Please use testConfig.snapshotPathTemplate to configure snapshot paths.
Suffix used to differentiate snapshots between multiple test configurations. For example, if snapshots depend on the platform, you can set testInfo.snapshotSuffix equal to process.platform. In this case expect(value).toMatchSnapshot(snapshotName) will use different snapshots depending on the platform. Learn more about snapshots.
Usage
testInfo.snapshotSuffix
Type
status
Added in: v1.10Actual status for the currently running test. Available after the test has finished in test.afterEach() hook and fixtures.
Status is usually compared with the testInfo.expectedStatus:
import { test, expect } from '@playwright/test';
test.afterEach(async ({}, testInfo) => {
  if (testInfo.status !== testInfo.expectedStatus)
    console.log(`${testInfo.title} did not run as expected!`);
});
Usage
testInfo.status
Type
- "passed" | "failed" | "timedOut" | "skipped" | "interrupted"
tags
Added in: v1.43Tags that apply to the test. Learn more about tags.
Any changes made to this list while the test is running will not be visible to test reporters.
Usage
testInfo.tags
Type
testId
Added in: v1.32Test id matching the test case id in the reporter API.
Usage
testInfo.testId
Type
timeout
Added in: v1.10Timeout in milliseconds for the currently running test. Zero means no timeout. Learn more about various timeouts.
Timeout is usually specified in the configuration file
import { test, expect } from '@playwright/test';
test.beforeEach(async ({ page }, testInfo) => {
  // Extend timeout for all tests running this hook by 30 seconds.
  testInfo.setTimeout(testInfo.timeout + 30000);
});
Usage
testInfo.timeout
Type
title
Added in: v1.10The title of the currently running test as passed to test(title, testFunction).
Usage
testInfo.title
Type
titlePath
Added in: v1.10The full title path starting with the test file name.
Usage
testInfo.titlePath
Type
workerIndex
Added in: v1.10The unique index of the worker process that is running the test. When a worker is restarted, for example after a failure, the new worker process gets a new unique workerIndex.
Also available as process.env.TEST_WORKER_INDEX. Learn more about parallelism and sharding with Playwright Test.
Usage
testInfo.workerIndex
Type