Skip to content

Instantly share code, notes, and snippets.

@brookback
Created September 18, 2020 11:44
Show Gist options
  • Star 2 You must be signed in to star a gist
  • Fork 2 You must be signed in to fork a gist
  • Save brookback/945b0064cd9cb2617d138d92d59b3919 to your computer and use it in GitHub Desktop.
Save brookback/945b0064cd9cb2617d138d92d59b3919 to your computer and use it in GitHub Desktop.
A React hook for managing focus of elements in a list based on keyboard arrows (up and down).
import * as React from 'react';
type FocusIndex = number | null;
/**
* A React hook for managing focus of elements in a list based on keyboard
* arrows (up and down). Great for a11y and UX.
*
* This hook does not deal with the actual imperative `.focus()` part at all.
* It solely calculates the which index in a list which should currently be
* focused.
*
* Usage:
*
```tsx
const users = [...];
const [focusedIndex] = useCyclingFocus(users.length);
<ul>
{users.map((u, idx) => (
<ListItem
user={u}
key={u._id}
// This item is focused if it's index is the same as the
// currently focused index, according to the useCyclingFocus hook.
focus={focusedIndex === idx}
/>
))}
</ul>
const ListItem = (props) => {
const ref = React.useRef<HTMLLIElement>(null);
React.useEffect(() => {
if (props.focus) {
// The actual focus call
ref.current?.focus();
}
}, [props.focus]);
return (
<li ref={ref} tabIndex={props.focus ? 0 : -1}>
{props.user.name}
</li>
);
};
```
*/
export const useCyclingFocus = (
/** The size of your list of items. */
listSize: number,
/** The index of the initially focused item. Defaults to `null`. */
initialFocus: FocusIndex = null,
): [FocusIndex, React.Dispatch<React.SetStateAction<FocusIndex>>] => {
const [currentFocus, setCurrentFocus] = React.useState<FocusIndex>(initialFocus);
const handleKeyDown = React.useCallback<(evt: KeyboardEvent) => void>(
(evt) => {
// Cycle up or down. Also start over if we're outside the list bounds.
switch (evt.key) {
case 'ArrowDown':
evt.preventDefault();
setCurrentFocus(
currentFocus === null ? 0 : currentFocus === listSize - 1 ? 0 : currentFocus + 1,
);
break;
case 'ArrowUp':
evt.preventDefault();
setCurrentFocus(
currentFocus === null
? listSize - 1
: currentFocus === 0
? listSize - 1
: currentFocus - 1,
);
break;
}
},
[listSize, currentFocus, setCurrentFocus],
);
React.useEffect(() => {
document.addEventListener('keydown', handleKeyDown, false);
return () => {
document.removeEventListener('keydown', handleKeyDown, false);
};
}, [handleKeyDown]);
return [currentFocus, setCurrentFocus];
};
@peduarte
Copy link

thanks for that! curious if you ever came up with a solution for managing grids as well, via arrow left/right.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment