DEV Community

Cover image for Top 20 Must-Know Tips for Web Accessibility
Ismael Ramos 🚀 for This is Learning

Posted on • Updated on • Originally published at ismaelramos.dev

Top 20 Must-Know Tips for Web Accessibility

two hands reaching out to help each other

Table of content


This third part of the series aims to provide you with essential principles (not all of them, as that's almost impossible!), practical advice, and examples for creating accessible websites.

I'll share some essential guidelines that our team has followed to make our website accessible and achieve a double A level of accessibility.

We'll uncover the secrets of creating clear descriptions for images, explore the world of navigating using only the keyboard, and much more, so that everyone can browse your site like a pro. :)

a sign showing the text "step free route" and an arrow to the right


1 - Learn how to use a screen reader

Before getting into the code, it's important to understand how to use a screen reader. It's a fundamental skill that will help you to know the challenges users face when navigating your website.

In our team, most of us use Voiceover as we work under MacOs. But there are alternatives for Windows systems like Speechify, JAWS and NVDA.

Taking the time to familiarize yourself with a screen reader will provide you with valuable insights into the user experience.

showing how a screen reader looks like in dev.to


Most commonly used keys

  • Tab and Shift+Tab: these keys allow users to move forward and backward through interactive elements on a web page, such as links, form fields, and buttons.

  • Arrow Keys: the arrow keys are used to navigate within a block of text or move between different components, such as headings, paragraphs, and lists. Users can move up, down, left, or right to explore the content in detail.

  • Nodes: navigating by nodes allows you to explore and interact with every element, like moving from one piece of the puzzle to another. In Voiceover you can navigate by pressing Control + Option + Arrow key.

  • Enter or Spacebar: these keys are used to activate buttons, links, or form controls. When a user lands on an interactive element, they can press Enter or Spacebar to trigger the associated action or follow a link.

  • Headings: many screen readers provide shortcut keys to jump between headings. For example, pressing the "H" key allows users to navigate to the next heading, making it easier to skim through the structure of a web page.

  • Search: screen readers often provide a search function that enables users to find specific words or phrases on a webpage. By entering keywords, users can quickly locate relevant information without having to navigate the entire page. Also there is a very useful combination in Voiceover to display all headings, links and form controls, which is Control + Shift + U.

icons of all screen readers mentioned


2 - Gain good knowledge of ARIA

In this second tip, I thinks it's important to give context about what ARIA means. Basically, ARIA stands for Accessible Rich Internet Applications. It's a term that refers to a set of guidelines and tools designed to enhance the user-friendliness of websites for individuals with disabilities.

ARIA assists in providing additional information to web elements, such as buttons or links, so that screen readers and other assistive technologies can better understand them. It's like giving a shout-out to those who can't see or use a mouse, so they can navigate and interact with websites smoothly.


Most common ARIA attributes

These are the ARIA attributes that we primarily use in our journey to achieve double A accessibility for the website we were working on. There are more attributes available, but it's crucial to be familiar with at least these:

  • aria-hidden: by setting aria-hidden="true", we indicate to assistive technologies that the icon should be hidden from the accessibility tree. It's used for non-interactive elements.
<button class="icon-button">
  <span class="visually-hidden" aria-hidden="true">Close</span>
  <i class="fas fa-times"></i>
</button>
Enter fullscreen mode Exit fullscreen mode
  • aria-label: provides a text alternative for an element when no visible label is present.
<button class="icon-button" aria-label="Search">
  <i class="fas fa-search"></i>
</button>
Enter fullscreen mode Exit fullscreen mode
  • aria-labelledby: associates an element with another element that serves as its label.
<div id="alert-message" role="alert" aria-labelledby="alert-heading alert-description">
  <h3 id="alert-heading">Important Info!</h3>
  <p id="alert-description">Please be aware of the upcoming changes.</p>
</div>
Enter fullscreen mode Exit fullscreen mode

The value of the attribute, "alert-heading alert-description," corresponds to the IDs of the heading (<h3>) and paragraph (<p>) elements that provide the label and description for the alert message.

By using aria-labelledby, you establish a relationship between the <div> element and the labeled heading and description. The screen reader will read the entire text inside those elements.

  • aria-describedby: associates an element with another element that describes its purpose.
<label for="username">Username:</label>
<input type="text" id="username" aria-describedby="username-description">
<p id="username-description">Please enter a unique username consisting of letters and numbers.</p>
Enter fullscreen mode Exit fullscreen mode

One common situation is to provide extra information in inputs like usernames, emails, and passwords, where the user has to use a specific set of characters.

  • aria-expanded: indicates whether a collapsible element is currently expanded or collapsed.
<button id="toggle-button" aria-expanded="false" onclick="toggleContent()">
  Toggle Content
</button>
Enter fullscreen mode Exit fullscreen mode

By dynamically updating the aria-expanded attribute based on the state of the content, the screen read can announce the current state to the user.

  • aria-disabled: indicates that an element is disabled and cannot be interacted with.
<button aria-disabled="true">Submit</button>
Enter fullscreen mode Exit fullscreen mode
  • aria-live: indicates that content within an element should be dynamically announced to the screen reader. We often use this to inform the user of form errors.
<div aria-live="polite" id="status-message">
  New message received: You have 1 unread notification.
</div>
Enter fullscreen mode Exit fullscreen mode

a form with an alert showing errors

  • role: used to define the purpose or type of an element on a web page.

The role attribute can be applied to a wide range of HTML elements, such as <div>, <span>, <button>, <nav>, and more. Some common role values include "button," "link," "navigation," "heading," "list," "form," and "banner," among others. Each role value conveys a specific meaning and functionality to assistive technologies.

<div role="alert" aria-live="assertive">
  <p>This is an important alert message!</p>
</div>
Enter fullscreen mode Exit fullscreen mode

If you need to create a component with a specific role, you can refer to the patterns website of the W3C.


3 - Use semantic HTML

Well, semantic HTML is like using special tags that provide meaning and structure to your web content. Instead of just slapping any old tag on things, you can use tags like <header>, <nav>, <article>, and <footer> to show the structure and purpose of different parts of your page.

For example, instead of using a <div> for your website's navigation menu, you would use the <nav> tag. This tells humans, search engines, and screen readers that the content inside it represents the site's navigation.

<nav>
  <ul>
    <li><a href="/">Home</a></li>
    <li><a href="/about">About</a></li>
    <li><a href="/services">Services</a></li>
    <li><a href="/contact">Contact</a></li>
  </ul>
</nav>
Enter fullscreen mode Exit fullscreen mode

Examples of semantic usage of HTML tags

These are important situations where you have to use the
appropriate tags.

  • <header>: represents the introductory or top section of a page.
<header>
  <h1>Welcome to My Website</h1>
  <nav>
    <!-- Navigation menu -->
  </nav>
</header>
Enter fullscreen mode Exit fullscreen mode
  • <main>: represents the main content of a document.
<main>
  <h2>About Me</h2>
  <p>I'm passionate about web development, ...</p>
</main>
Enter fullscreen mode Exit fullscreen mode
  • <article>: represents a self-contained composition, such as a blog post, news article, or forum post.
<article>
  <h3>Post title</h3>
  <p>Recently, I went on an amazing trip...</p>
</article>
Enter fullscreen mode Exit fullscreen mode
  • <section>: represents a standalone section within a document.
<section>
  <h2>Services</h2>
  <ul>
    <li>Web Design</li>
    <li>Front-end Development</li>
  </ul>
</section>
Enter fullscreen mode Exit fullscreen mode
  • <footer>: represents the bottom section of a document or section.
<footer>
  <p>&copy; 2023 MyWebsite. All rights reserved.</p>
  <nav>
    <!-- Footer navigation goes here -->
  </nav>
</footer>
Enter fullscreen mode Exit fullscreen mode
  • <fieldset>: is used to group the contact information fields together.
<form>
  <fieldset>
    <legend>Contact Information</legend>

    <label for="name">Name:</label>
    <input type="text" id="name" name="name">

    <label for="email">Email:</label>
    <input type="email" id="email" name="email">

    <label for="message">Message:</label>
    <textarea id="message" name="message"></textarea>
  </fieldset>

  <button type="submit">Submit</button>
</form>
Enter fullscreen mode Exit fullscreen mode

The main advantage of semantic HTML

Semantic HTML elements contribute to a logical and well-organized tab order. Keyboard-only users heavily rely on the tab key to navigate through interactive elements on a webpage.

By using appropriate semantic elements like <button>, <a>, and form elements with proper labeling, you ensure that keyboard users can efficiently navigate and interact with your website.

Without Semantic HTML

<section>
  <h2>Welcome!</h2>
  <p>Some paragraph</p>

  <div class="button-container">
    <div class="button">Register</div>
  </div>

  <p>Or, if you have any questions, feel free to <span class="link"><a href="/contact">contact us</a></span>.</p>
</section>
Enter fullscreen mode Exit fullscreen mode

With Semantic HTML

<section>
  <h2>Welcome!</h2>
  <p>Some paragraph</p>

  <button>Register</button>

  <p>Or, if you have any questions, feel free to <a href="/contact">contact us</a>.</p>
</section>
Enter fullscreen mode Exit fullscreen mode

This consideration is crucial for individuals with motor disabilities who may not be able to use a mouse.

So go ahead, embrace Semantic HTML and enjoy the ride!

two forms, on the left using only divs, and on the right using proper tags


Basic concepts

4 - Use tabindex, but with caution

Tabindex is an attribute you can add to HTML elements to control their keyboard navigation order. It allows you to determine which elements receive focus when users navigate through your web page using the Tab key.

By setting tabindex values, you can customize the order and make your site more accessible to all users, especially those who rely on keyboards for navigation.

four buttons that show how to tab order works because the second one has focus


Best practices for tabindex

Only modify the tabindex values when necessary. Most interactive elements automatically receive focus in the default Tab order, so only intervene when it improves the overall user experience.

  • Possible values: the two possible values that are recommended, are "0" and "-1".

If tabindex="0" is used to make elements focusable, the keyboard interaction must be correct and intuitive for that element. This means that elements that are presented as buttons, for example, must respond to both Enter and Spacebar key presses.

By giving them a tabindex value of 0, you ensure that these elements can receive keyboard focus and be easily accessed using the Tab key. It's like opening the door for keyboard users to interact with these elements that wouldn't typically be clickable.

When you set tabindex="-1", it takes the element out of the regular navigation flow.

However, it's important to note that you should not assign the value "-1" to elements that need to be accessible via keyboard, such as links or buttons that sighted users can easily click on with a mouse.

Generally speaking, it is recommended to avoid the use of tabindex="-1" unless you have a specific reason to do so.

  • Maintain a logical flow: arrange tabindex values in a logical order that reflects the visual and reading flow of your content. Users should be able to navigate through your website naturally, without encountering unexpected jumps or skipping important elements.

  • Skip non-interactive elements: avoid assigning tabindex to non-interactive elements like text paragraphs or images. This helps users focus on interactive elements that require action or input.


5 - Create proper outlines

Outlines are like visual hugs that surround interactive elements such as buttons, links, and form fields when you interact with them.

.focus-outline {
   outline: 2px solid blue;
   outline-offset: 2px;
}
Enter fullscreen mode Exit fullscreen mode

They provide a clear visual indication, usually a border or highlight, to show you which element is currently in focus. Whether you're using a keyboard or a mouse, these outlines ensure you can easily identify and interact with the right elements on a webpage.

representation of an outline


Best practices for outlines

  1. Visibility: outlines should be visible and clearly distinguishable, ensuring they stand out from the surrounding content. It is important to choose colors and styles that provide sufficient contrast, and to avoid designs that may cause confusion or distract from the main content.

  2. Avoid removing outlines: it's crucial not to remove or disable outlines unless you have replaced them with a suitable and accessible alternative. Removing outlines altogether can disorient and confuse users, especially those who rely on keyboard navigation. Unfortunately, some developers occasionally choose to remove outlines. However, it's highly recommended not to do it.

  3. Design consistency: look for a consistent outline style across your website. This helps users develop familiarity with the visual cues, promoting a smooth and intuitive browsing experience.

If you are a designer, please read the second part of this series.


6 - Allow keyboard navigation throughout your website

Keyboard navigation is one of the most important parts of web accessibility.

a person using a braille keyboard

First, you have to know that it is closely related to semantic HTML and native elements. When you combine these two, something amazing happens - users can effortlessly navigate through most of the website using just their keyboard, without needing any special tweaks or tricks.

So, one of the principles that we are following when creating new components and develop new features, is to always use native elements whenever possible.

I will give you an example with the dialog element. Instead of creating your own modal, you should use the native component because it implements all the necessary features like escape, trap focus, close button, etc.

<dialog open>
  <p>This is a simple dialog!</p>
  <form method="dialog">
    <button>nice! ok!</button>
  </form>
</dialog>
Enter fullscreen mode Exit fullscreen mode

One last advice about this is to take the #nomouse challenge! Try navigating the web page and controlling all its features using the tab key on a keyboard; don’t touch the mouse. This simple test is typically a good indicator of accessibility. For more information, see nomouse.org.


7 - Identify the language

You need to provide context about the language that the webpage is based on and specific paragraphs or components that are in a different language.

The lang attribute

Setting the lang attribute in the HTML tag allows you to declare the language of the web page. This helps screen readers and other assistive technologies identify and present the content correctly.

<!DOCTYPE html>
<html lang="en">
  <head>
  </head>
  <body>
  </body>
</html>
Enter fullscreen mode Exit fullscreen mode

Keep in mind that if there is a paragraph in a different language you have to specify its language like this:

<body>
  <!-- English (US) content -->
  <p lang="en-US">Explore and enjoy our diverse content.</p>

  <!-- Hindi content -->
  <p lang="hi">हमारी विविधतापूर्ण सामग्री का अन्वेषण और आनंद लें।</p>
</body>
Enter fullscreen mode Exit fullscreen mode

Anyway, there are a few exceptions like quotations, proper terms, technical terms, foreign words like "Sushi" or the language selector:

language selector showing different languages in amazon website


8 - Ensure ARIA attributes are in the correct language

If your webpage is primarily in English, it's important to ensure that aria attributes are also in English.

However, if the user switches to a different language, the aria attributes should change accordingly. It's advisable to avoid mixing languages as much as possible to maintain consistency and clarity throughout the user experience.


9 - Texts must be resizable

To make your website more user-friendly and accessible, it's crucial to ensure that the text is resizable.

Ideally, users should be able to increase the font size by up to 200% without any content getting cut off or losing any functionality.

Generally speaking, you should use em units for font sizes.

div.a {
  font-size: 14px; // :(
}

div.b {
  font-size: 1rem; // :)
}

div.c {
  font-size: 1.2em; // :)
}
Enter fullscreen mode Exit fullscreen mode

By using scalable units like em and rem, we enable users to control the scale of the sites, thereby, providing us with our desired accessibility.

If you are thinking about using rem, keep in mind that scaling up and down accurately can be a challenge for all the text elements to adjust properly.

But for sure, try to avoid px unit on font sizes. They simply do not scale.


10 - Use headings in the proper order

When structuring your content, it's essential to use headings in a logical hierarchy.

Start with the main heading (usually <h1>) for the page title or main section, followed by subheadings (<h2>) for major subsections, and so on.

This hierarchy helps users understand the content's organization and allows screen readers to navigate through the page more effectively.

<h1>Best practices for Web Accessibility!</h1>
<h2>Basic concepts</h2>
<h3>Headings</h3>
<h4>Best practices for headings</h4>
....
<h2>Advanced concepts</h2>
<h3>Creating an accessible component library</h3>
Enter fullscreen mode Exit fullscreen mode

It's essential to follow a consistent heading order without skipping levels. For example, don't jump from <h2> to <h4> directly. Skipping levels can confuse screen readers and make it harder for users to understand the content's structure.

As a final tip in this section, I would like to recommend you to place important interactive elements higher up in the web page.

different headings all with a proper order

Accessibility in base components

11 - Make images accessible

Let's explore easy-to-implement techniques to optimize your images for web accessibility.

  • Provide descriptive alt text: make sure to use concise and descriptive language to describe the content and purpose of the image.
<img src="example.jpg" alt="A group of friends enjoying a picnic in the park">
Enter fullscreen mode Exit fullscreen mode
  • Decorative alt: in some cases, you may include decorative images that don't add any significant information to your content. For such images, it's best to provide an empty alt text or use the aria-hidden attribute to let screen readers skip over them.
<img src="decoration.jpg" alt="" aria-hidden="true">
Enter fullscreen mode Exit fullscreen mode
  • Provide captions and image descriptions: for complex images, charts, or infographics, it's helpful to provide additional context through captions or detailed image descriptions.
<figure>
  <img src="infographic.jpg" alt="Data visualization of population growth">
  <figcaption>Data visualization of population growth in the last decade</figcaption>
</figure>
Enter fullscreen mode Exit fullscreen mode
  • File formats: use widely supported formats like JPEG, PNG, or GIF for regular images. If you have complex graphics or images with transparency, consider using SVG. These formats ensure compatibility with various browsers and assistive technologies.

  • Implement responsive images: use the srcset attribute to provide multiple image sources of varying sizes.

<img srcset="small.jpg 320w,
              medium.jpg 768w,
              large.jpg 1200w"
     sizes="(max-width: 768px) 100vw,
            50vw"
     src="large.jpg" alt="A responsive image">
Enter fullscreen mode Exit fullscreen mode

summary from above inside a decision graph


12 - Create icons for everyone

Instead of using icons solely as decorative elements, consider implementing semantic HTML elements like <span> or <i> and provide an appropriate text alternative.

<span class="icon" aria-hidden="true">📞</span>
<span class="sr-only">Phone</span>
Enter fullscreen mode Exit fullscreen mode

In addition, icon fonts and SVGs are highly recommended for accessibility. They allow icons to be resized without losing quality and ensure compatibility across various devices and browsers.

For complex SVGs consider using title and desc elements along with aria-labelledby like this:

<svg 
   role="img"
   aria-labelledby="svg-title svg-description"
   xmlns="http://www.w3.org/2000/svg" 
   xmlns:xlink="http://www.w3.org/1999/xlink"
   x="0px"
   y="0px"
   viewBox="0 0 48 48"
   xml:space="preserve">
      <title id="svg-title">A short title to resume the purpose of the svg!</title>
      <desc id="svg-description">A description with more details.</desc>
      <path d="..."/>
</svg>
Enter fullscreen mode Exit fullscreen mode

13 - Don't forget states in buttons

Buttons are fundamental elements of web design, providing interactive functionality and serving as important call-to-action components.

Apart from using the semantic html tag <button>and providing a descriptive text like "Send Message", you should also provide visual feedback using the :focus and :hover states.

<button class="primary-button">Save Changes</button>
Enter fullscreen mode Exit fullscreen mode
.primary-button:hover {
  background-color: #42b983;
  color: white;
}

.primary-button:focus {
  background-color: #342455;
  color: black;
}
Enter fullscreen mode Exit fullscreen mode

There is also the disabled state, that will require you to use aria-disabled if its focusable:

<button aria-disabled="true">
  Continue
</button>
Enter fullscreen mode Exit fullscreen mode

If the button is fully disabled then:

<button disabled>
  Continue
</button>
Enter fullscreen mode Exit fullscreen mode

For toggle buttons you should use the, aria-pressed="true/false" attribute, and for menus you can use aria-expanded="true/false".

3 examples of buttons, two of the with icons inside


14 - Create descriptive links

Sometimes, it can be challenging to decide between using buttons or links. Our rule for making this decision is that if the user is redirected to another page or location, it should be a link.

Even if a link appears as a big shiny button, it is crucial to use the <a> element when coding it.

Remember, this is a design tip that we covered in the second part of this series. It's important to avoid using generic link labels like "click here" or "read more."

Note: links should not solely consist of the URL, unless it is intended for printing purposes, such as in a Word document. Additionally, if a link opens in a new window, make sure to mention that to the user.

Example: Article about Web Accessibility (opens in new tab)

an example of the w3c link in google


15 - Ensure forms are accessible

Here, we encounter one of the most challenging aspects of web accessibility.

Forms can consist of a wide range of components, such as comboboxes, inputs with various types like numbers or dates, text areas, and many more.

Ensuring the accessibility of each form component is crucial, but discussing every component in detail would be insane. Instead, I will provide you with more general but equally important tips:

  • Semantic HTML (yes, again): when structuring your forms, use semantic HTML elements like <form>, <fieldset>, and <legend> to provide a clear and organized structure.
<form action="#">
  <fieldset>
    <legend>Do you agree?</legend>
    <input type="checkbox" id="chbx" name="agree" value="Yes!" />
    <label for="chbx">I agree</label>
  </fieldset>
</form>
Enter fullscreen mode Exit fullscreen mode

This allows the screen reader to provide context about the field the user has to fill.

  • Use labels: ensure each form field has a descriptive label associated with it. Use the <label> element and associate it with the corresponding form field using the "for" attribute or by nesting the input element within the label.
<label for="name">Name:</label>
<input type="text" id="name" name="name">
Enter fullscreen mode Exit fullscreen mode
  • Clear instructions: include clear and concise instructions to guide users through the form-filling process. Place instructions near the related form fields, using additional text or elements such as <p> or <span>.
<label for="email">Email:</label>
<input type="email" id="email" name="email">
<p class="instructions">Please enter a valid email address.</p>
Enter fullscreen mode Exit fullscreen mode
  • Provide error validation and feedback: associate error messages with their respective form fields using ARIA attributes, and use visually distinct styles or alert boxes to notify users of errors while maintaining color contrast for readability.

Here is an example, but since this is a complex topic, I recommend you reading Sandrina's post on Accessible Form Validation. Simply amazing!

<input
  id="address"
  type="text"
  required="required"
  aria-invalid="true"
  aria-describedby="addressError addressHint"
/>
<span>
  <p id="addressError">Address cannot be empty.</p>
  <p id="addressHint">Remember to include the door and apartment.</p>
</span>
Enter fullscreen mode Exit fullscreen mode

16 - Include captions for videos

This is not as common as forms, but on the other hand, it is generally easier to make them accessible.

First, you need to provide captions:

<video>
  <source src="video.mp4" type="video/mp4">
  <track src="captions.vtt" kind="captions" label="English" srclang="en" default>
</video>
Enter fullscreen mode Exit fullscreen mode

And second, always make controls available for keyboard users:

<video controls tabindex="0">
  <source src="video.mp4" type="video/mp4">
</video>
Enter fullscreen mode Exit fullscreen mode

Some other tips are:

  • Avoid using flashing or blinking content that can trigger seizures.

  • Avoid using auto-playing media or animations that may cause distractions.

  • Color plays a significant role in videos, from subtitles to graphical elements. Ensure that the color contrast between the text and background is correct.

  • Choose an accessible video media player


17 - Provide transcripts or audio descriptions for audio content

In this case we can provide transcripts like this:

<audio controls>
  <source src="audio.mp3" type="audio/mpeg">
</audio>
<p><a href="audio-transcript.txt">Read the audio transcript</a></p>
Enter fullscreen mode Exit fullscreen mode

Verify that the audio content, transcripts, captions, and audio descriptions are correctly interpreted.

Note: Audio descriptions should provide a detailed and concise narrative of the visual elements and actions taking place in the video.

a deaf person


18 - Use titles and make iframes responsive

Iframes are versatile tools that enable seamless embedding of external content into your website. However, some improvements are necessary to enhance their accessibility.

Use descriptive titles

When using iframes, provide descriptive titles that convey the purpose and content of the embedded page.

<iframe src="external-page.html" title="Weather Forecast"></iframe>
Enter fullscreen mode Exit fullscreen mode

Make them responsive

Ensure that iframes are responsive and adapt well to different screen sizes and resolutions.

<div class="wrapper">
  <iframe src='some url' frameborder="0" allowfullscreen></iframe>
</div>
Enter fullscreen mode Exit fullscreen mode
.wrapper {
  position: relative;
  padding-bottom: 56.25%; /* 16:9 */
  padding-top: 25px;
  height: 0;
}
.wrapper iframe {
  position: absolute;
  top: 0;
  left: 0;
  width: 100%;
  height: 100%;
}
Enter fullscreen mode Exit fullscreen mode

Provide a fallback option

In some cases, iframes may not be supported or accessible for certain users or devices. To ensure that all users can access the essential information, provide a fallback option.

<iframe src="external-page.html">
  <img src="fallback-image.jpg" alt="Fallback Image: Content Not Available">
  <p>If you are unable to view the content, please try accessing it directly using the <a href="external-page.html">fallback link</a>.</p>
</iframe>
Enter fullscreen mode Exit fullscreen mode

Other improvements

19 - Make downloads descriptive

Let me briefly touch upon this topic because occasionally we encounter tricky situations that can confuse users.

This tip is basically use a descriptive link text, provide the file extension and the file size (if possible).

<a href="document.pdf">Download the User Manual (PDF, 2.5MB)</a>
Enter fullscreen mode Exit fullscreen mode

20 - Create a link to bypass blocks

Bypass blocks are essential in web accessibility. They allow users to skip repetitive or non-essential content and navigate directly to the main content of a webpage.

An example:

<a href="#main-content" class="skip-link">Skip to Main Content</a>
Enter fullscreen mode Exit fullscreen mode
.skip-link {
  position: fixed;
  top: 10px;
  left: 10px;
  z-index: 9999;
  padding: 10px;
  background-color: #42b983;
  color: white;
  text-decoration: none;
}

.skip-link:not(:focus):not(:active) {
  position: absolute;
  top: -9999px;
  left: -9999px;
}

.skip-link:focus {
  top: 5px;
  left: 5px;
  background-color: #0066cc;
}
Enter fullscreen mode Exit fullscreen mode

The skip link is positioned fixed and visible initially. However, I use the :not(:focus):not(:active) selector, so it is hidden (position: absolute; top: -9999px; left: -9999px;) for mouse users.

It only becomes visible when it receives focus or is active, following the styles defined in the :focus selector.

This way, the skip link will be accessible and hidden for mouse users while remaining visible and functional for keyboard users.

You can test it out for yourself on dev.to :)

skip to content button inside dev.to


Last words

So there you have it! We've covered what I believe are the top 20 must-know tips for web accessibility. Special thanks to @pablo_medina and @juanpabloamador for their feedback!

The next article in the series will be about "Common accessibility challenges our team has faced". Stay tuned!

And remember, making your website accessible is not just a good practice, it is the right thing to do.

two hands reaching out to help each other


This post may be long but I hope you have learned something new from among all. If you think this might help other people, please hit the like button so that others can read it. ❤️

If you have any thoughts or questions, feel free to leave a comment!

Top comments (21)

Collapse
 
olallaolinda profile image
olalla-olinda

Wow, thanks for sharing these tips. Very useful!!

Congrats and keep up the good work.

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

Thanks for your words! I am glad you find it useful!

Collapse
 
hasanhaja profile image
Hasan Ali

Wow, thank you for creating this resource! I’ve learnt a lot and I immediately need to start putting a lot of these into practice. My semantic HTML is okay, but there’s so many things I can improve on. I didn’t know “figcaption” was a thing 🤯

I really like and appreciate the format too! It’s very helpful having plenty of examples 🙌🏾

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

I'm glad! That's what it's all about, that we all learn.

Collapse
 
moopet profile image
Ben Sinclair

Tip #21 - browse the accessibility tag posts here on DEV:

#a11y

the practice of making your website usable by as many people as possible
Collapse
 
ismaestro profile image
Ismael Ramos 🚀 • Edited

😆 Nice tip! 👌

Collapse
 
efrenmarin profile image
Efren Marin

Not enough web accessibility attention is given so I'm happy to see a comprehensive article like this one. Awesome work!

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

I completely agree with you! Thanks for the feedback :)

Collapse
 
artydev profile image
artydev

Great, thank you

Collapse
 
bgrand_ch profile image
Benjamin Grand

Thank you very much, very important article! Aria is too often "forgotten" and too many people are impacted.

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

Agree!

Collapse
 
yousuf4you profile image
Yousuf Ahamad

good

Collapse
 
moinulmoin profile image
Moinul Moin

Thanks, Great stuff!

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

👏🏻👏🏻 thanks!

Collapse
 
fruntend profile image
fruntend

Сongratulations 🥳! Your article hit the top posts for the week - dev.to/fruntend/top-10-posts-for-f...
Keep it up 👍

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

💪🏻💪🏻

Collapse
 
layanyashoda profile image
Layan Yasoda

Great Post! ❤️

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

Thanks!

Collapse
 
cocodelacueva profile image
coco

Great post, useful

Collapse
 
ismaestro profile image
Ismael Ramos 🚀

Thanks, I'm glad you found the post useful. 👌

Collapse
 
timjohnson2584 profile image
timjohnson2584

So there you have it! We've covered what I believe are the top 20 must-know tips for web accessibility. Special thanks to @pablo_medina for his feedback!
The next article in the series will 뉴토끼 be about "Common accessibility challenges our team has faced". Stay tuned!
And remember, making your website accessible is not just a good practice, it is the right thing to do.
two hands reaching out to help each other
This post may be long but I hope you have learned something new from among all. If you think this might help other people, please hit the like button so that others can read it. ❤️
Web accessibility is crucial for ensuring that websites are usable and inclusive for all individuals, including those with disabilities. Here are 20 must-know tips to help you improve web accessibility:

Provide alternative text (alt text) for images: Alt text describes the content of an image for people who cannot see it. It should be concise and descriptive.

Use proper heading structure: Use heading tags (h1, h2, h3, etc.) to structure your content. This helps screen readers and users navigate through the page easily.

Use descriptive link text: Make sure your hyperlink text is meaningful on its own, instead of using generic phrases like "click here."

Ensure keyboard accessibility: All functionality and interactive elements on your website should be accessible using the keyboard alone, without relying on mouse or touch.

Use color with caution: Avoid conveying important information solely through color. Ensure sufficient color contrast between text and background for readability.

Provide transcripts for multimedia content: If you have audio or video content, provide transcripts or captions to make it accessible to people with hearing impairments.

Create descriptive form labels: Use descriptive labels for form fields and provide clear instructions to assist users in completing forms.

Enable resizable text: Allow users to resize text without affecting the website's layout or functionality. Avoid fixed font sizes.

Ensure logical and consistent navigation: Design your website's navigation in a clear and consistent manner, making it easy for users to find their way around.

Provide skip links: Include a "skip to main content" link at the top of each page to help users bypass repetitive navigation menus.

Use ARIA (Accessible Rich Internet Applications) attributes: ARIA attributes provide additional information to assistive technologies in interpreting complex web elements like menus, sliders, and tabs.

Test with screen readers: Use screen reader software, such as NVDA (NonVisual Desktop Access) or VoiceOver, to experience your website from a user's perspective.

Optimize forms for accessibility: Use proper markup for form fields, provide clear error messages, and ensure the form can be submitted without relying solely on mouse interactions.

Design for sufficient focus indication: Ensure that there is a clear visual indication of the currently focused element for keyboard and screen reader users.

Make videos and animations accessible: Provide controls for users to start, pause, and stop videos or animations. Avoid auto-playing media.

Optimize for mobile accessibility: Ensure your website is responsive and usable on mobile devices, with sufficient touch target sizes and well-organized content.

Provide clear error messages: When errors occur, offer descriptive messages near the form field in question, explaining what went wrong and how to fix it.

Test for color blindness: Check that your website remains usable for individuals with color vision deficiencies. There are online tools available to simulate various types of color blindness.

Ensure readable content: Use a legible font type, appropriate font size (with the ability to resize), and sufficient line spacing to enhance readability.

Regularly evaluate and improve accessibility: Perform regular accessibility audits, gather user feedback, and stay updated with accessibility guidelines to continuously improve your website's accessibility.

Remember, web accessibility is an ongoing process, and incorporating these tips will help make your website more inclusive and usable for everyone.