Playwright Accessibility Testing (TypeScript)
Comprehensive toolkit for automated accessibility testing using Playwright with TypeScript and axe-core. Enables WCAG 2.1 Level AA compliance verification, keyboard operability testing, semantic validation, and accessibility regression prevention.
Activation: This skill is triggered when working with accessibility testing, WCAG compliance, axe-core scans, keyboard navigation tests, focus management, ARIA validation, or screen reader compatibility.
When to Use This Skill
- Automated a11y scans with axe-core for WCAG 2.1 AA compliance
- Keyboard navigation tests for Tab/Enter/Space/Escape/Arrow key operability
- Focus management validation for dialogs, menus, and dynamic content
- Semantic structure assertions for landmarks, headings, and ARIA
- Form accessibility testing for labels, errors, and instructions
- Color contrast and visual accessibility verification
- Screen reader compatibility testing patterns
Prerequisites
| Requirement |
Details |
| Node.js |
v18+ recommended |
| Playwright |
@playwright/test installed |
| axe-core |
@axe-core/playwright package |
| TypeScript |
Configured in project |
Quick Setup
npm install -D @axe-core/playwright axe-core
First Questions to Ask
Before writing accessibility tests, clarify:
- Scope: Which pages/flows are in scope? What's explicitly excluded?
- Standard: WCAG 2.1 AA (default) or specific organizational policy?
- Priority: Which components are highest risk (forms, modals, navigation, checkout)?
- Exceptions: Known constraints (legacy markup, third-party widgets)?
- Assistive Tech: Which screen readers/browsers need manual testing?
Core Principles
1. Automation Limitations
⚠️ Critical: Automated tooling can detect ~30-40% of accessibility issues. Use automation to prevent regressions and catch common failures; manual audits are required for full WCAG conformance.
2. Semantic HTML First
Prefer native HTML semantics over ARIA. Use ARIA only when native elements cannot achieve the required semantics.
await page.getByRole('button', { name: 'Submit' }).click();
await page.locator('[role="button"]').click();
3. Locator Strategy as A11y Signal
If you cannot locate an element by role or label, it's often an accessibility defect.
| Locator Success |
Accessibility Signal |
getByRole('button', { name: 'Submit' }) ✅ |
Button has accessible name |
getByLabel('Email') ✅ |
Input properly labeled |
getByRole('navigation') ✅ |
Landmark exists |
locator('.submit-btn') ⚠️ |
May lack accessible name |
Key Workflows
Automated Axe Scan (WCAG 2.1 AA)
import AxeBuilder from '@axe-core/playwright';
import { test, expect } from '@playwright/test';
test('page has no WCAG 2.1 AA violations', async ({ page }) => {
await page.goto('/');
const results = await new AxeBuilder({ page })
.withTags(['wcag2a', 'wcag2aa', 'wcag21a', 'wcag21aa'])
.analyze();
expect(results.violations).toEqual([]);
});
Scoped Axe Scan (Component-Level)
test('form component is accessible', async ({ page }) => {
await page.goto('/contact');
const results = await new AxeBuilder({ page })
.include('#contact-form')
.withTags(['wcag2a', 'wcag2aa', 'wcag21a', 'wcag21aa'])
.analyze();
expect(results.violations).toEqual([]);
});
Keyboard Navigation Test
test('form is keyboard navigable', async ({ page }) => {
await page.goto('/login');
await page.keyboard.press('Tab');
await expect(page.getByLabel('Email')).toBeFocused();
await page.keyboard.press('Tab');
await expect(page.getByLabel('Password')).toBeFocused();
await page.keyboard.press('Tab');
await expect(page.getByRole('button', { name: 'Sign in' })).toBeFocused();
await page.keyboard.press('Enter');
await expect(page).toHaveURL(/dashboard/);
});
Dialog Focus Management
test('dialog traps and returns focus', async ({ page }) => {
await page.goto('/settings');
const trigger = page.getByRole('button', { name: 'Delete account' });
await trigger.click();
const dialog = page.getByRole('dialog');
await expect(dialog).toBeVisible();
await expect(dialog.getByRole('button', { name: 'Cancel' })).toBeFocused();
await page.keyboard.press('Tab');
await expect(dialog.getByRole('button', { name: 'Confirm' })).toBeFocused();
await page.keyboard.press('Tab');
await expect(dialog.getByRole('button', { name: 'Cancel' })).toBeFocused();
await page.keyboard.press('Escape');
await expect(dialog).toBeHidden();
await expect(trigger).toBeFocused();
});
Skip Link Validation
test('skip link moves focus to main content', async ({ page }) => {
await page.goto('/');
await page.keyboard.press('Tab');
const skipLink = page.getByRole('link', { name: /skip to (main|content)/i });
await expect(skipLink).toBeFocused();
await page.keyboard.press('Enter');
await expect(page.locator('#main, [role="main"]').first()).toBeFocused();
});
POUR Principles Reference
| Principle |
Focus Areas |
Example Tests |
| Perceivable |
Alt text, captions, contrast, structure |
Image alternatives, color contrast ratio |
| Operable |
Keyboard, focus, timing, navigation |
Tab order, focus visibility, skip links |
| Understandable |
Labels, instructions, errors, consistency |
Form labels, error messages, predictable behavior |
| Robust |
Valid HTML, ARIA, name/role/value |
Semantic structure, accessible names |
Axe-Core Tags Reference
| Tag |
WCAG Level |
Use Case |
wcag2a |
Level A |
Minimum compliance |
wcag2aa |
Level AA |
Standard target |
wcag2aaa |
Level AAA |
Enhanced (rarely full) |
wcag21a |
2.1 Level A |
WCAG 2.1 specific A |
wcag21aa |
2.1 Level AA |
WCAG 2.1 standard |
best-practice |
Beyond WCAG |
Additional recommendations |
Default Tags (WCAG 2.1 AA)
const WCAG21AA_TAGS = ['wcag2a', 'wcag2aa', 'wcag21a', 'wcag21aa'];
Exception Handling
When exceptions are unavoidable:
- Scope narrowly - specific component/route only
- Document impact - which WCAG criterion, user impact
- Set expiration - owner + remediation date
- Track ticket - link to remediation issue
new AxeBuilder({ page }).disableRules(['color-contrast']);
new AxeBuilder({ page })
.exclude('#third-party-widget')
.withTags(['wcag2a', 'wcag2aa', 'wcag21a', 'wcag21aa'])
.analyze();
Troubleshooting
| Problem |
Cause |
Solution |
| Axe finds 0 violations but app fails manual audit |
Automation covers ~30-40% |
Add manual testing checklist |
| False positive on dynamic content |
Content not fully rendered |
Wait for stable state before scan |
| Color contrast fails incorrectly |
Background image/gradient |
Use exclude for known false positives |
| Cannot find element by role |
Missing semantic HTML |
Fix markup - this is a real bug |
| Focus not visible |
Missing :focus styles |
Add visible focus indicator CSS |
| Dialog focus not trapped |
Missing focus trap logic |
Implement focus trap (see snippets) |
| Skip link doesn't work |
Target missing tabindex="-1" |
Add tabindex to main content |
CLI Quick Reference
| Command |
Description |
npx playwright test --grep "a11y" |
Run accessibility tests only |
npx playwright test --headed |
Run with visible browser for debugging |
npx playwright test --debug |
Step through with Inspector |
PWDEBUG=1 npx playwright test |
Debug mode with pause |
References
External Resources