ember-a11y-testing
v8.0.0
Published
Accessibility testing for Ember applications
Readme
ember-a11y-testing
ember-a11y-testing is a wrapper around Deque Labs'
axe-core accessibility testing engine.
It integrates into your testing environment using either a one-time setup, or in
individual tests using an a11yAudit() test helper.
Compatibility
- Ember.js v4.0.0 or above
- Embroider or ember-auto-import v2
- Node.js v18 or above
@ember/test-helpersv3.0.3 or above
Installation
npm install --save-dev ember-a11y-testing
# or
pnpm add -D ember-a11y-testing
# or
yarn add -D ember-a11y-testingUpgrading from 7.x? See the Upgrade Guide for breaking changes and migration steps.
Usage
Usage of ember-a11y-testing in your tests can be done in one of two ways:
- A one-time setup in your tests/test-helper.js file using
setupGlobalA11yHooks - In individual tests using the
a11yAudittest helper.
axe Options
When using the a11yAudit helper, you can pass in axe-core options that are passed to axe.run.
These options are documented in the axe-core API docs.
The rule definitions are documented on dequeuniversity.com/rules.
Each of the following sections individually details how to set aXe options for your tests.
setupGlobalA11yHooks Usage
The setupGlobalA11yHooks function is intended to be imported and invoked a single time in tests/test-helper.js for your entire test suite.
export interface InvocationStrategy {
(helperName: string, label: string): boolean;
}
export interface GlobalA11yHookOptions {
helpers: HelperName[];
}
type HelperName =
| 'blur'
| 'click'
| 'doubleClick'
| 'fillIn'
| 'focus'
| 'render'
| 'scrollTo'
| 'select'
| 'tab'
| 'tap'
| 'triggerEvent'
| 'triggerKeyEvent'
| 'typeIn'
| 'visit';
export const DEFAULT_A11Y_TEST_HELPER_NAMES = [
'visit',
'click',
'doubleClick',
'tap',
];
export function setupGlobalA11yHooks(
shouldAudit: InvocationStrategy,
audit: (...args: any[]) => PromiseLike<void> = a11yAudit,
options: GlobalA11yHookOptions = { helpers: DEFAULT_A11Y_TEST_HELPER_NAMES }
);The setupGlobalA11yHooks function takes three parameters:
shouldAudit: AnInvocationStrategy- a predicate function that takes ahelperNameand alabel, and returns abooleanindicating whether or not to perform the audit.audit(optional): The audit function, which performs theaxe-coreaudit, defaulting toa11yAudit. This allows you to potentially wrap thea11yAudittest helper with custom logic.options(optional): Setup options, which allow you to specify after which test helpers to run the audit.
Using a custom InvocationStrategy implementation will allow you to maintain a high level of control over your test invocations. Examples of invocation strategies can be found in this repository's tests.
To use, import and invoke the global setup function, passing in your specific invocation strategy:
// tests/test-helper.js
import Application from 'my-app/app';
import config from 'my-app/config/environment';
import { setApplication } from '@ember/test-helpers';
import { start } from 'ember-qunit';
import { setupGlobalA11yHooks } from 'ember-a11y-testing/test-support';
setApplication(Application.create(config.APP));
setupGlobalA11yHooks(() => true);
start();:warning: It's important to note that you must also use the enableA11yAudit query parameter in order to force audits. This setting is required in addition to any invocation strategy you provide.
By default, audits will be run on visit, click, doubleClick, and tap. To add additional helpers to hook into, specify them by name in the options.helpers argument. Note that this option specifies the complete set of helpers to hook into; to include the defaults you must import them and splat them into the array as shown below.
import {
setupGlobalA11yHooks,
DEFAULT_A11Y_TEST_HELPER_NAMES,
} from 'ember-a11y-testing/test-support';
setupGlobalA11yHooks(() => true, {
helpers: [...DEFAULT_A11Y_TEST_HELPER_NAMES, 'render', 'tab'],
});Setting Options using setRunOptions
You can provide options to axe-core for your tests using the setRunOptions API. This API is helpful if you don't have access to the a11yAudit calls directly, such as when using the setupGlobalA11yHooks, or if you want to set the same options for all tests in a module.
Options can be set a few ways:
Globally:
// tests/test-helper.js
import { setRunOptions } from 'ember-a11y-testing/test-support';
setRunOptions({
rules: {
region: { enabled: true },
},
});Test module level:
import { module, test } from 'qunit';
import { setRunOptions } from 'ember-a11y-testing/test-support';
module('some test module', function (hooks) {
hooks.beforeEach(function () {
setRunOptions({
rules: {
region: { enabled: true },
},
});
});
// ...
});Individual test level:
import { module, test } from 'qunit';
import { a11yAudit, setRunOptions } from 'ember-a11y-testing/test-support';
module('some test module', function (hooks) {
test('some test', function (assert) {
setRunOptions({
rules: {
region: { enabled: true },
},
});
// ...
a11yAudit();
// ...
});
// ...
});When using setRunOptions during a test, the options you set are automatically reset when the test completes.
Configuring axe-core using setConfigureOptions
You can pass options to axe.configure() using the setConfigureOptions API. This allows you to define custom rules, checks, branding, locales, and more.
import { setConfigureOptions } from 'ember-a11y-testing/test-support';
setConfigureOptions({
rules: [
{
id: 'my-custom-rule',
selector: '.my-component',
enabled: true,
any: ['my-custom-check'],
},
],
});You can also use it to set axiom locale:
import { setConfigureOptions } from 'ember-a11y-testing/test-support';
import esLocale from 'axe-core/locales/es.json';
setConfigureOptions({ locale: esLocale });Like setRunOptions, calling setConfigureOptions during a test automatically resets the configuration when the test completes.
a11yAudit Usage
ember-a11y-testing provides a test helper to run accessibility audits on specific tests within your test suite. The a11yAudit helper is an async test helper which can be used in a similar fashion to other @ember/test-helpers helpers:
In Application tests:
import { visit } from '@ember/test-helpers';
import { a11yAudit } from 'ember-a11y-testing/test-support';
module('Some module', function () {
//...
test('Some test case', async function (assert) {
await visit('/');
await a11yAudit();
assert.ok(true, 'no a11y errors found!');
});
});The helper is also able to be used in Integration/Unit tests like so:
import { render } from '@ember/test-helpers';
import { a11yAudit } from 'ember-a11y-testing/test-support';
// ...elided for brevity
test('Some test case', function (assert) {
await render(hbs`{{some-component}}`);
let axeOptions = {
rules: {
'button-name': {
enabled: false,
},
},
};
await a11yAudit(this.element, axeOptions);
assert.ok(true, 'no a11y errors found!');
});Setting Options with a11yAudit
The helper can optionally accept a "context" on which to focus the audit as either a selector string or an HTML element. You can also provide a secondary parameter to specify axe-core options:
test('Some test case', async function (assert) {
let axeOptions = {
rules: {
'button-name': {
enabled: false,
},
},
};
await visit('/');
await a11yAudit(axeOptions);
assert.ok(true, 'no a11y errors found!');
});Or specify options as a single argument:
test('Some test case', async function (assert) {
let axeOptions = {
rules: {
'button-name': {
enabled: false,
},
},
};
await visit('/');
await a11yAudit('.modal', axeOptions);
assert.ok(true, 'no a11y errors found!');
});Force Running audits
ember-a11y-testing allows you to force audits if enableA11yAudit is set as a query param
on the test page. This is useful if you want to conditionally run accessibility audits, such
as during nightly build jobs.
You can also enable audits programmatically using setEnableA11yAudit(true).
Note: The
ENABLE_A11Y_AUDITenvironment variable is no longer supported. In v2 addons there is no build-time code rewriting. Use the?enableA11yAuditquery parameter or callsetEnableA11yAudit(true)instead.
To do so, import and use shouldForceAudit from ember-a11y-testing, as shown below.
// `&enableA11yAudit` set in the URL
import { a11yAudit, shouldForceAudit } from 'ember-a11y-testing/test-support';
test(
'Some test case',
await function (assert) {
await visit('/');
if (shouldForceAudit()) {
await a11yAudit();
}
assert.ok(true, 'no a11y errors found!');
}
);// No `enableA11yAudit` set in the URL
import { a11yAudit, shouldForceAudit } from 'ember-a11y-testing/test-support';
test(
'Some test case',
await function (assert) {
await visit('/');
if (shouldForceAudit()) {
await a11yAudit(); // will not run
}
// ...
}
);You can also create your own app-level helper, which will conditionally check whether to run the audits or not:
export function a11yAuditIf(contextSelector, axeOptions) {
if (shouldForceAudit()) {
return a11yAudit(contextSelector, axeOptions);
}
return resolve(undefined, 'a11y audit not run');
}QUnit and Testem integration
You can setup a new configuration checkbox in QUnit and Testem by using the setupQUnitA11yAuditToggle.
When the checkbox is checked, it will set enableA11yAudit as a query param.
To use, import and invoke the setup function, passing in your QUnit instance:
// tests/test-helper.js
import Application from 'my-app/app';
import config from 'my-app/config/environment';
import * as QUnit from 'qunit';
import { setApplication } from '@ember/test-helpers';
import { start } from 'ember-qunit';
import { setupGlobalA11yHooks, setupQUnitA11yAuditToggle } from 'ember-a11y-testing/test-support';
setApplication(Application.create(config.APP));
setupGlobalA11yHooks(() => true);
setupQUnitA11yAuditToggle(QUnit);
start();Logging violations to the console
This addon provides the capability of summarizing all violations found during tests, and outputting those failures to the console once the test suite is completed. To enable this functionality, import setupConsoleLogger and invoke in your tests/test-helper.js file:
import Application from 'my-app/app';
import config from 'my-app/config/environment';
import { setApplication } from '@ember/test-helpers';
import { start } from 'ember-qunit';
import { setupConsoleLogger } from 'ember-a11y-testing/test-support';
setApplication(Application.create(config.APP));
setupConsoleLogger();
start();Example:
Test Middleware
This addon provides browser-side helpers for reporting violations via middleware. The server-side middleware is also included and must be configured in your Testem config.
Add the middleware to your testem.js:
const { a11yMiddleware } = require('ember-a11y-testing/middleware');
module.exports = {
// …other config
middleware: [a11yMiddleware],
};Options (all optional):
| Option | Default | Description |
|---|---|---|
| root | process.cwd() | Root directory for report output |
| reportDir | 'ember-a11y-report' | Directory name for reports (relative to root) |
| urlPath | '/report-violations' | URL path the middleware listens on |
The middleware reporter writes the results containing all violations detected in all tests to a JSON file stored in the report directory.
:warning: Audit report files get generated in an additive manner, typically resulting in the a11y-audit-report directory growing in size as subsequent test suites are run. Environments with specific space size restrictions will require an explicit strategy to manage the deletion of older reports, as this addon no longer does so.
To use the middleware reporter, import setupMiddlewareReporter and invoke in your tests/test-helper.js file:
import Application from 'my-app/app';
import config from 'my-app/config/environment';
import { setApplication } from '@ember/test-helpers';
import { start } from 'ember-qunit';
import { setupMiddlewareReporter } from 'ember-a11y-testing/test-support';
setApplication(Application.create(config.APP));
setupMiddlewareReporter();
start();A helper function is available to use the middleware reporter conditionally, allowing interoperability between the default reporter and the middleware reporter. Import useMiddlewareReporter and apply as a check around the setupMiddlewareReporter function in tests/test-helper.js. The middleware reporter will now only be invoked when enableA11yMiddlewareReporter is set as a query param on the test page.
Note: The
ENABLE_A11Y_MIDDLEWARE_REPORTERenvironment variable is no longer supported. Use the?enableA11yMiddlewareReporterquery parameter instead.
import Application from 'my-app/app';
import config from 'my-app/config/environment';
import { setApplication } from '@ember/test-helpers';
import { start } from 'ember-qunit';
import {
setupMiddlewareReporter,
useMiddlewareReporter,
} from 'ember-a11y-testing/test-support';
setApplication(Application.create(config.APP));
if (useMiddlewareReporter()) {
// Only runs if `enableA11yMiddlewareReporter` is set in URL
setupMiddlewareReporter();
}
start();Note, as a convenience, useMiddlewareReporter automatically forces audits, thus explicitly specifying
the enableA11yAudit query param is unnecessary.
Development Usage
While this addon previously included a number of components that would aid in identifying axe violations during development, those have been deprecated in favor of other, industry standard tools such as:
- Accessibility Insights for Web - Accessibility Insights for Web helps developers find and fix accessibility issues in web apps and sites. This browser extension for Chrome and the new Microsoft Edge runs on Windows, MacOS, and Linux computers.
- Lighthouse - an open-source, automated tool for improving the quality of web pages. You can run it against any web page, public or requiring authentication. It has audits for performance, accessibility, progressive web apps, SEO and more.
- Sa11y - an accessibility quality assurance tool that visually highlights common accessibility and usability issues. Geared towards content authors, Sa11y indicates errors or warnings at the source with a simple tooltip on how to fix.
- axe Chrome extension - a free axe browser extension ideal for development teams to test web applications to help identify and resolve common accessibility issues.
