Accessibility guidelines are a set of recommendations that ensure digital products, including websites and applications, can be used by people with disabilities. These guidelines aim to provide equal access to information and functionality for users with various abilities.
In this explanation, we'll discuss the importance of accessibility guidelines in React development and provide tips on how to make React apps fully accessible.
Accessibility guidelines cover several key areas:
To make your React app fully accessible, follow these best practices:
Use semantic HTML elements to define the structure of your application:
// Instead of using divs for navigation
<nav>
<ul>
<li><a href="#">Home</a></li>
<li><a href="#">About</a></li>
</ul>
</nav>
// Use header, main, and footer elements for page structure
<div>
<header>Header content</header>
<main>Main content</main>
<footer>Footer content</footer>
</div>
Add alternative text to images:
<img src="image.jpg" alt="A beautiful landscape" />
Use ARIA attributes to provide a better experience for screen reader users:
import { useState } from 'react';
function Button() {
const [isDisabled, setIsDisabled] = useState(true);
return (
<button
disabled={isDisabled}
aria-disabled={isDisabled ? 'true' : 'false'}
onClick={() => setIsDisabled(false)}
>
Click me!
</button>
);
}
Implement keyboard navigation to allow users to navigate your app using the keyboard:
import { useState } from 'react';
function Nav() {
const [activeTabIndex, setActiveTabIndex] = useState(0);
return (
<nav
role="navigation"
aria-label="Main navigation"
onKeyDown={(event) => {
if (event.key === 'ArrowRight') {
setActiveTabIndex(activeTabIndex + 1);
} else if (event.key === 'ArrowLeft') {
setActiveTabIndex(activeTabIndex - 1);
}
}}
>
<ul>
<li
role="option"
aria-selected={activeTabIndex === 0 ? 'true' : 'false'}
tabIndex={activeTabIndex === 0 ? 0 : -1}
>
Home
</li>
<li
role="option"
aria-selected={activeTabIndex === 1 ? 'true' : 'false'}
tabIndex={activeTabIndex === 1 ? 0 : -1}
>
About
</li>
</ul>
</nav>
);
}
Ensure sufficient color contrast between the background and text:
import { useState } from 'react';
function Text() {
const [isInverted, setIsInverted] = useState(false);
return (
<p
style={{
color: isInverted ? '#ffffff' : '#000000',
backgroundColor: isInverted ? '#000000' : '#ffffff',
}}
onMouseEnter={() => setIsInverted(true)}
onMouseLeave={() => setIsInverted(false)}
>
This text should have sufficient color contrast.
</p>
);
}