• Stars
    star
    576
  • Rank 74,554 (Top 2 %)
  • Language
    TypeScript
  • License
    MIT License
  • Created over 2 years ago
  • Updated 7 months ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

An add-on backend for `react-dnd` that provides support for keyboards and screenreaders by default.

react-dnd-accessible-backend

An add-on backend for react-dnd that provides support for keyboards and screenreaders by default. Keep writing the same drag and drop code while enabling more users to interact with your app.

Why

react-dnd (and the system of packages it manages) does not directly support drag and drop other than using a mouse (or a finger on mobile devices). It encapsulates the HTML5 Drag and Drop API, which could support other input devices, but most browser implementations today only support pointers. react-dnd also does not provide any way of notifying screenreaders that drag and drop operations are happening. Again, the HTML5 API makes this possible, but it is not supported in any meaningful way.

Other drag and drop implementations out there do support these features, such as react-beautiful-dnd and dndkit, and they do it well. However, react-dnd remains by far the most popular drag and drop library for React applications and is likely stay in that position for a while as migrating between them is not easy, and the limitations of other systems keep many complex applications from moving at all.

This package brings support for both alternative input devices like keyboards (or anything that can trigger keyboard events in the browser) as well as announcements for screenreaders to react-dnd natively, without changing any of the public API that developers are used to or limiting of the structural flexibility it is known for.

Installation

This package is available on npm as react-dnd-accessible-backend.

npm install react-dnd-accessible-backend

Basic Usage

react-dnd-accessible-backend is not a replacement backend for react-dnd, but rather an additional one. This means you will most likely need to compose backends together to get all of the functionality you would like (mouse dragging, keyboards, pointer dragging on mobile, etc).

One of the easiest ways to do this is with react-dnd-multi-backend and it's Transition system. Using that library, just add another backend entry and create a Transition for the keyboard trigger, like so:

import KeyboardBackend, { isKeyboardDragTrigger } from "react-dnd-accessible-backend";
import { HTML5Backend } from "react-dnd-html5-backend";
import { DndProvider, createTransition } from "react-dnd-multi-backend";

const KeyboardTransition = createTransition("keydown", (event) => {
  if (!isKeyboardDragTrigger(event as KeyboardEvent)) return false;
  event.preventDefault();
  return true;
});

const DND_OPTIONS = {
  backends: [
    {
      id: "html5",
      backend: HTML5Backend,
      transition: MouseTransition,
    },
    {
      id: "keyboard",
      backend: KeyboardBackend,
      context: { window, document },
      preview: true,
      transition: KeyboardTransition,
    },
  ],
};

function App() {
  return <DndProvider options={DND_OPTIONS}>...</DndProvider>;
}

That's all it takes to get started! There are a few considerations you'll want to keep in mind to ensure a really good experience for your users, but everything else should be automatic.

At the moment, the keybinds used for drag and drop are hard-coded as:

  • ctrl+d (command+d on macOS) to pick up a draggable item
  • up and down arrow keys to move between drop targets
  • Enter or Spacebar to drop the dragged item on a drop target
  • Escape while dragging to cancel the drag operation

Options

react-dnd-accessible-backend provides a few options for customizing styles and behavior for use in your app. If you're using react-dnd-multi-backend, these can get passed in as an options field on the backend configuration object, or otherwise as the third argment when calling the backend directly as a factory function (like KeyboardBackend(manager, context, options).

These options are:

getAnnouncementMessages?: () => AnnouncementMessages

This function is called any time a drag and drop action is performed by the keyboard backend and is useful for providing translations or more descriptive messages for screenreader users as they interact with draggable items.

If this option is not provided, a default set of messages in English will be used. Providing a separate function requires that you specify a replacement for all messages that can be announced. These (currently) are pickedUpItem, droppedItem, hoveredTarget and canceledDrag.

Each message getter is defined as a function that takes in an itemId and the HTML node that is relevant to the operation.

// A very naive example of how to provide custom announcement messages.
function getCustomAnnouncementMessages() {
  return {
    pickedUpItem: (itemId: string, node: HTMLElement | null) => `Picked up ${itemId}`,
    droppedItem: (itemId: string, node: HTMLElement | null) => `Dropped ${itemId}`,
    hoveredTarget: (itemId: string, node: HTMLElement | null) => `Hoevered over ${itemId}`,
    canceledDrag: (itemId: string, node: HTMLElement | null) => "Drag cancelled"
  };
}

{
  options: {
    getAnnouncementMessages: getCustomAnnouncementMessages,
  },
}

isDragTrigger?: (event: KeyboardEvent, isFirstEvent: boolean) => boolean

This function is used to determine if a keyboard event that occurs on a draggable element should trigger the start of a drag operation. Overriding this option lets you customize the keybind used to start dragging or perform other checks before the drag is allowed to start.

If this option is not provided, it will default to using the isKeyboardDragTrigger that is exported as part of this package, which triggers when ctrl/command+d is pressed.

Ths isFirstEvent parameter indicates whether this is the first event the backend is receiving after being setup.

{
  options: {
    // This will start a drag whenever the users presses
    // `m` while focused on a draggable element.
    isDragTrigger: (event) => event.key === "m"
  },
}

NOTE: In most cases when react-dnd-multi-backend, you'll want to use the same trigger function in this option for the trigger in createTransition. Otherwise the backend may not be set up when you expect to start a drag. This is also where the isFirstEvent property can come in handy, since react-dnd-multi-backend will sometimes fire cloned events that don't have keyboard properties on them. See the comment in isKeyboardDragTrigger for more information.

announcer

By default, react-dnd-accessible-backend will append an aria-live area to the DOM to provide screen-reader announcements, powered by @react-aria/live-announcer.

If you already have a comparable announcer utility in your app, then you can use the announcer option to replace DragAnnouncer's announcer with your own. Pease note that multiple aria-live areas in an app or web page could conflict, which is why we have provided this override option to re-use any existing aria-live announcers.

interface Announcer {
  announce(message: string, assertiveness?: 'assertive' | 'polite', timeout?: number): void;
  clearAnnouncements(assertiveness?: 'assertive' | 'polite'): void;
}

const LiveAnnouncer = require('@react-aria/live-announcer');
const AccessibilityAnnouncer: Announcer = {
  announce: LiveAnnouncer.announce,
  clearAnnouncements: LiveAnnouncer.clearAnnouncer,
};

{
  options: {
    announcer: AccessibilityAnnouncer,
  },
}

previewerClassName

Similar to the announcerClassName this option provides a custom class name to use for the drag previewer, which is a container that gets populated by a clone of the currently-dragged element and positions itself in the appropriate place on screen for the currently-hovered drop target.

{
  options: {
    previewerClassName: styles.dndDragPreview,
  },
}

NOTE: It is important that this div does not have any styles that affect its spatial positioning on screen, as this is controlled internally by the backend. What it can be used for are things like adding a drop shadow or highlight to the drag preview, changing opacities, borders, scaling, and other stylistic options.

preview

Control whether drag previews are rendered for this backend.

react-dnd-multi-backend provides a configuration field, preview, when creating the backend pipeline, which determines whether previews are enabled or hidden when using a given backend. However, this only works by introspecting the MultiBackend manager when rendering a Preview from inside of a React component context (it relies on the Context API to access the backend manager and read the option).

Because this library renders its own previews outside of React, it has no access to the context, and can't get access to the MultiBackend instance to read that configuration.

Instead, if you would like to hide the automatically-created previews when using this backend, pass this configuration under the options object:

{
  options: {
    preview: false;
  }
}

announcerClassName (deprecated)

Deprecated in version 2. To customize the presentation of drag-and-drop announcements, you can now use the announcer option to build your own custom announcer.

react-dnd-accessible-backend uses @react-aria/live-announcer as its default announcer, which visually hides all announcements.

{
  options: {
    announcerClassName: styles.dndAnnouncer,
  },
}

Considerations

Ensuring accessible labels

The default announcement messages will look at a few properties to try and create the most relevant label possible for the user. At the highest priority, if you specify a data-dnd-name attribute on the target element (either the drag source or the drop target, depending on the operation), that will be used directly. Next, it will look for an aria-label on the same element, and finally it will fall back to using the innerText of the element itself.

As an example:

// This would read out "Picked up Example A" when it is picked up for dragging
<div ref={drag} data-dnd-name="Example A" aria-label="some aria label" />
// This would read out "Over Target B" when the user drags an item over it with the keyboard backend
<dif ref={drop} aria-label="Target B" />
// This would read out "Dropped an element with text inside" when it is dropped on a target
<div ref={drag}>an element with text inside</div>

While this should ensure that any item a user picks up or drops has some kind of label on it, falling back to the inner text should be a last resort, and ideally you should add an aria-label or at least a data-dnd-name to provide a more succinct, helpful label for screenreader users.

"Sort on "hover"

A common pattern with react-dnd is to perform sorting operations in the hover callback on drop targets. In fact this is how most of the react-dnd sorting examples operate.

However, this pattern poses a problem for trying to drag and drop with a keyboard, because the user doesn't have the same granularity of control in movement. In the example linked above, sorting happens based on whether the user's mouse is dragging over the upper or lower half of the drop target. A keyboard user wouldn't be able to choose between those positions, so they effectively miss out on some sorting options, or in some cases the sorting won't happen at all since by default the drag operations go over the exact center of the drop target.

Additionally, sorting on hover means that a user "browsing" through drop targets will inadvertently be reorganizing their lists without ever actually dropping an item. If a user picks up an item, drags it up a few places, then decides to cancel the drag, the item will have moved those spaces anyway because the move happened on hover rather than when the item was actually dropped.

The best way to avoid this issue is to just avoid sorting in the hover callback and use drag placeholders and other indicators to show where an element will drop. This may involve some refactoring and rethinking designs, but the end result will be more accessible (and often more performant!) for everyone.

Thanks to

More Repositories

1

discord-api-docs

Official Discord API Documentation
Markdown
5,543
star
2

lilliput

Resize images and animated GIFs in Go
C++
1,923
star
3

manifold

Fast batch message passing between nodes for Erlang/Elixir.
Elixir
1,618
star
4

sorted_set_nif

Elixir SortedSet backed by a Rust-based NIF
Elixir
1,532
star
5

discord-open-source

List of open source communities living on Discord
JavaScript
1,319
star
6

focus-rings

A centralized system for displaying and stylizing focus indicators anywhere on a webpage.
TypeScript
1,120
star
7

fastglobal

Fast no copy globals for Elixir & Erlang.
Elixir
1,097
star
8

discord-rpc

C++
983
star
9

airhornbot

The only bot for Discord you'll ever need.
TypeScript
851
star
10

semaphore

Fast semaphore using ETS.
Elixir
718
star
11

ex_hash_ring

A fast consistent hash ring implementation in Elixir.
Elixir
475
star
12

discord-example-app

Basic Discord app with examples
JavaScript
434
star
13

OverlappingPanels

Overlapping Panels is a gestures-driven navigation UI library for Android
Kotlin
420
star
14

SimpleAST

Extensible Android library for both parsing text into Abstract Syntax Trees and rendering those trees as rich text.
Kotlin
360
star
15

discord-interactions-js

JS/Node helpers for Discord Interactions
TypeScript
345
star
16

instruments

Simple and Fast metrics for Elixir
Elixir
295
star
17

focus-layers

Tiny React hooks for isolating focus within subsections of the DOM.
TypeScript
292
star
18

discord-api-spec

OpenAPI specification for Discord APIs
237
star
19

discord-oauth2-example

Discord OAuth2 Example
Python
225
star
20

loqui

RPC Transport Layer - with minimal bullshit.
Rust
220
star
21

erlpack

High Performance Erlang Term Format Packer
Cython
211
star
22

cloudflare-sample-app

Example discord bot using Cloudflare Workers
JavaScript
197
star
23

access

Access, a centralized portal for employees to transparently discover, request, and manage their access for all internal systems needed to do their jobs
Python
190
star
24

use-memo-value

Reuse the previous version of a value unless it has changed
TypeScript
170
star
25

zen_monitor

Efficient Process.monitor replacement
Elixir
167
star
26

deque

Fast bounded deque using two rotating lists.
Elixir
141
star
27

avatar-remix-bot

TypeScript
127
star
28

linked-roles-sample

JavaScript
119
star
29

punt

Punt is a tiny and lightweight daemon which helps ship logs to Elasticsearch.
Go
113
star
30

embedded-app-sdk

🚀 The Discord Embedded App SDK lets you build rich, multiplayer experiences as Activities inside Discord.
TypeScript
109
star
31

sample-game-integration

An example using Discord's API and local RPC socket to add Voice and Text chat to an instance or match based multiplayer game.
JavaScript
105
star
32

endanger

Build Dangerfiles with ease.
TypeScript
96
star
33

discord-interactions-python

Useful tools for building interactions in Python
Python
93
star
34

react-base-hooks

Basic utility React hooks
TypeScript
77
star
35

dynamic-pool

a lock-free, thread-safe, dynamically-sized object pool.
Rust
76
star
36

itsdangerous-rs

A rust port of itsdangerous!
Rust
72
star
37

gen_registry

Simple and efficient local Process Registry
Elixir
71
star
38

confetti-cannon

Launch Confetti
TypeScript
45
star
39

discord-react-forms

Forms... in React
JavaScript
43
star
40

discord-interactions-php

PHP utilities for building Discord Interaction webhooks
PHP
40
star
41

babel-plugin-define-patterns

Create constants that replace various expressions at build-time
JavaScript
39
star
42

eslint-traverse

Create a sub-traversal of an AST node in your ESLint plugin
JavaScript
30
star
43

rapidxml

Mirror of rapidxml from http://rapidxml.sourceforge.net/
C++
29
star
44

memory_size

Elixir
29
star
45

gamesdk-and-dispatch

Public issue tracker for the Discord Game SDK and Dispatch
22
star
46

dispenser

Elixir library to buffer and send events to subscribers.
Elixir
17
star
47

eslint-plugin-discord

Custom ESLint rules for Discord
JavaScript
16
star
48

chromium-build

Python
15
star
49

hash_ring

hash_ring
C
14
star
50

limited_queue

Simple Elixir queue, with a constant-time `size/1` and a maximum capacity
Elixir
13
star
51

perceptual

A smarter volume slider scale
TypeScript
13
star
52

discord_vigilante

12
star
53

heroku-sample-app

Example discord bot using Heroku
JavaScript
11
star
54

postcss-theme-shorthand

Converts `light-` and `dark-` prefixed CSS properties into corresponding light/dark theme globals
JavaScript
11
star
55

babel-plugin-strip-object-freeze

Replace all instances of Object.freeze(value) with value
JavaScript
10
star
56

libyuv

our fork of libyuv for webrtc
C++
10
star
57

lilliput-rs

Lilliput, in Rust!
Rust
9
star
58

lilliput-bench

Benchmarker for lilliput
Python
8
star
59

sqlite3

Mirror of sqlite amalgamation from https://www.sqlite.org/
C
7
star
60

openh264

C++
6
star
61

slate-react-package-fork

TypeScript
6
star
62

rlottiebinding-ios

rlottie ios submodule
Starlark
5
star
63

jemalloc_info

A small library for exporting jemalloc allocation data in Elixir
Elixir
5
star
64

libnice

Fork of https://nice.freedesktop.org/wiki/
C
5
star
65

libvpx

C
4
star
66

libsrtp

Fork of libsrtp
C
4
star
67

RLottieAndroid

C++
4
star
68

opentelemetry-rust-datadog

Rust
4
star
69

slate-package-fork

JavaScript
4
star
70

lilliput-dep-source

Convenient source repo for Lilliput's dependencies
3
star
71

slate-hotkeys-package-fork

3
star
72

rules_ios

Bazel rules for building iOS applications and frameworks
Starlark
2
star
73

cocoapods-bazel

A Cocoapods plugin for automatically generating Bazel BUILD files
Ruby
2
star
74

eslint-plugin-react-discord

Fork of eslint-plugin-react
JavaScript
1
star