Skip to content

Commit

Permalink
Add popover capabilities to SelectNext listbox
Browse files Browse the repository at this point in the history
  • Loading branch information
acelaya committed May 9, 2024
1 parent 41f27ed commit e81cd0c
Show file tree
Hide file tree
Showing 4 changed files with 249 additions and 41 deletions.
1 change: 1 addition & 0 deletions package.json
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,7 @@
"@babel/preset-react": "^7.0.0",
"@babel/preset-typescript": "^7.18.6",
"@hypothesis/frontend-build": "^3.0.0",
"@hypothesis/frontend-testing": "^1.2.2",
"@rollup/plugin-babel": "^6.0.0",
"@rollup/plugin-commonjs": "^25.0.0",
"@rollup/plugin-node-resolve": "^15.0.0",
Expand Down
164 changes: 131 additions & 33 deletions src/components/input/SelectNext.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ import {
useContext,
useId,
useLayoutEffect,
useMemo,
useRef,
useState,
} from 'preact/hooks';
Expand All @@ -15,6 +16,7 @@ import { useFocusAway } from '../../hooks/use-focus-away';
import { useKeyPress } from '../../hooks/use-key-press';
import { useSyncedRef } from '../../hooks/use-synced-ref';
import type { CompositeProps } from '../../types';
import { ListenerCollection } from '../../util/listener-collection';
import { downcastRef } from '../../util/typing';
import { MenuCollapseIcon, MenuExpandIcon } from '../icons';
import { inputGroupStyles } from './InputGroup';
Expand Down Expand Up @@ -103,38 +105,108 @@ function SelectOption<T>({

SelectOption.displayName = 'SelectNext.Option';

function useShouldDropUp(
const LISTBOX_TOGGLE_GAP = '.25rem';

type ListboxCSSProps =
| 'top'
| 'left'
| 'minWidth'
| 'marginBottom'
| 'bottom'
| 'marginTop';

function useListboxPositioning(
buttonRef: RefObject<HTMLElement | undefined>,
listboxRef: RefObject<HTMLElement | null>,
listboxOpen: boolean,
): boolean {
const [shouldListboxDropUp, setShouldListboxDropUp] = useState(false);
asPopover: boolean,
right: boolean,
) {
const adjustListboxPositioning = useCallback(() => {
const listboxEl = listboxRef.current;
const buttonEl = buttonRef.current;

useLayoutEffect(() => {
// Reset shouldListboxDropUp so that it does not affect calculations next
// time listbox opens
if (!buttonRef.current || !listboxRef.current || !listboxOpen) {
setShouldListboxDropUp(false);
return;
if (!buttonEl || !listboxEl || !listboxOpen) {
return () => {};
}

/**
* Sets some CSS props in the listbox, and returns a cleanup function that
* resets them to their default values.
*/
const setListboxCSSProps = (
props: Partial<Record<ListboxCSSProps, string>>,
) => {
const entries = Object.entries(props) as Array<[ListboxCSSProps, string]>;
entries.forEach(([prop, value]) => (listboxEl.style[prop] = value));

return () => entries.map(([prop]) => (listboxEl.style[prop] = ''));
};

const viewportHeight = window.innerHeight;
const { top: buttonDistanceToTop, bottom: buttonBottom } =
buttonRef.current.getBoundingClientRect();
const {
top: buttonDistanceToTop,
bottom: buttonBottom,
left: buttonLeft,
height: buttonHeight,
width: buttonWidth,
} = buttonEl.getBoundingClientRect();
const buttonDistanceToBottom = viewportHeight - buttonBottom;
const { bottom: listboxBottom } =
listboxRef.current.getBoundingClientRect();
const listboxDistanceToBottom = viewportHeight - listboxBottom;
const { height: listboxHeight, width: listboxWidth } =
listboxEl.getBoundingClientRect();

// The listbox should drop up only if there's not enough space below to
// fit it, and there's also more absolute space above than below
setShouldListboxDropUp(
listboxDistanceToBottom < 0 &&
buttonDistanceToTop > buttonDistanceToBottom,
);
}, [buttonRef, listboxRef, listboxOpen]);

return shouldListboxDropUp;
// fit it, and also, there's more absolute space above than below
const shouldListboxDropUp =
buttonDistanceToBottom < listboxHeight &&
buttonDistanceToTop > buttonDistanceToBottom;

if (asPopover) {
const { top: bodyTop } = document.body.getBoundingClientRect();
const absBodyTop = Math.abs(bodyTop);

return setListboxCSSProps({
minWidth: `${buttonWidth}px`,
top: shouldListboxDropUp
? `calc(${absBodyTop + buttonDistanceToTop - listboxHeight}px - ${LISTBOX_TOGGLE_GAP})`
: `calc(${absBodyTop + buttonDistanceToTop + buttonHeight}px + ${LISTBOX_TOGGLE_GAP})`,
left:
right && listboxWidth > buttonWidth
? `${buttonLeft - (listboxWidth - buttonWidth)}px`
: `${buttonLeft}px`,
});
}

// Set styles for non-popover mode
if (shouldListboxDropUp) {
return setListboxCSSProps({
bottom: '100%',
marginBottom: LISTBOX_TOGGLE_GAP,
});
}

return setListboxCSSProps({ top: '100%', marginTop: LISTBOX_TOGGLE_GAP });
}, [asPopover, buttonRef, listboxOpen, listboxRef, right]);

useLayoutEffect(() => {
const cleanup = adjustListboxPositioning();

if (!asPopover) {
return cleanup;
}

// Readjust listbox position when any element scrolls, just in case that
// affected the toggle button position.
const listeners = new ListenerCollection();
listeners.add(document.body, 'scroll', adjustListboxPositioning, {
capture: true,
});

return () => {
cleanup();
listeners.removeAll();
};
}, [adjustListboxPositioning, asPopover]);
}

export type SelectProps<T> = CompositeProps & {
Expand Down Expand Up @@ -166,6 +238,13 @@ export type SelectProps<T> = CompositeProps & {

'aria-label'?: string;
'aria-labelledby'?: string;

/**
* Test seam.
* Used to determine if current browser supports native popovers.
* Defaults to `'popover' in document.body`
*/
nativePopoverSupported?: boolean;
};

function SelectMain<T>({
Expand All @@ -182,18 +261,37 @@ function SelectMain<T>({
right = false,
'aria-label': ariaLabel,
'aria-labelledby': ariaLabelledBy,

/* istanbul ignore next - test seam */
nativePopoverSupported = 'popover' in document.body,

Check warning on line 266 in src/components/input/SelectNext.tsx

View check run for this annotation

Codecov / codecov/patch

src/components/input/SelectNext.tsx#L266

Added line #L266 was not covered by tests
}: SelectProps<T>) {
const [listboxOpen, setListboxOpen] = useState(false);
const closeListbox = useCallback(() => setListboxOpen(false), []);
const wrapperRef = useRef<HTMLDivElement | null>(null);
const listboxRef = useRef<HTMLUListElement | null>(null);
const [listboxOpen, setListboxOpen] = useState(false);
const toggleListbox = useCallback(
(open: boolean) => {
setListboxOpen(open);
if (nativePopoverSupported) {
listboxRef.current?.togglePopover(open);
}
},
[nativePopoverSupported],
);
const closeListbox = useCallback(() => toggleListbox(false), [toggleListbox]);
const listboxId = useId();
const buttonRef = useSyncedRef(elementRef);
const defaultButtonId = useId();
const shouldListboxDropUp = useShouldDropUp(
const extraProps = useMemo(
() => (nativePopoverSupported ? { popover: true } : {}),
[nativePopoverSupported],
);

useListboxPositioning(
buttonRef,
listboxRef,
listboxOpen,
nativePopoverSupported,
right,
);

const selectValue = useCallback(
Expand Down Expand Up @@ -257,11 +355,11 @@ function SelectMain<T>({
aria-label={ariaLabel}
aria-labelledby={ariaLabelledBy}
ref={downcastRef(buttonRef)}
onClick={() => setListboxOpen(prev => !prev)}
onClick={() => toggleListbox(!listboxOpen)}
onKeyDown={e => {
if (e.key === 'ArrowDown' && !listboxOpen) {
e.preventDefault();
setListboxOpen(true);
toggleListbox(true);
}
}}
data-testid="select-toggle-button"
Expand All @@ -273,18 +371,17 @@ function SelectMain<T>({
</button>
<SelectContext.Provider value={{ selectValue, value }}>
<ul
{...extraProps}
className={classnames(
'absolute z-5 min-w-full max-h-80 overflow-y-auto',
'absolute z-5 max-h-80 overflow-y-auto',
'rounded border bg-white shadow hover:shadow-md focus-within:shadow-md',
{
'top-full mt-1': !shouldListboxDropUp,
'bottom-full mb-1': shouldListboxDropUp,
'right-0': right,

!nativePopoverSupported && {
// Hiding instead of unmounting to
// * Ensure screen readers detect button as a listbox handler
// * Listbox size can be computed to correctly drop up or down
hidden: !listboxOpen,
'right-0': right,
'min-w-full': true,
},
listboxClasses,
)}
Expand All @@ -294,6 +391,7 @@ function SelectMain<T>({
aria-labelledby={buttonId ?? defaultButtonId}
aria-orientation="vertical"
data-testid="select-listbox"
data-listbox-open={listboxOpen}
>
{children}
</ul>
Expand Down
97 changes: 90 additions & 7 deletions src/components/input/test/SelectNext-test.js
Original file line number Diff line number Diff line change
@@ -1,3 +1,4 @@
import { waitFor } from '@hypothesis/frontend-testing';
import { mount } from 'enzyme';

import { checkAccessibility } from '../../../../test/util/accessibility.js';
Expand Down Expand Up @@ -28,6 +29,8 @@ describe('SelectNext', () => {
container.style.paddingTop = `${paddingTop}px`;
document.body.append(container);

props.nativePopoverSupported = props.nativePopoverSupported ?? false;

const wrapper = mount(
<SelectNext value={undefined} onChange={sinon.stub()} {...props}>
{items.map(item => (
Expand Down Expand Up @@ -74,10 +77,18 @@ describe('SelectNext', () => {
const getListbox = wrapper => wrapper.find('[data-testid="select-listbox"]');

const isListboxClosed = wrapper =>
getListbox(wrapper).prop('className').includes('hidden');
getListbox(wrapper).prop('data-listbox-open') === false;

const listboxDidDropUp = wrapper => {
const { top: listboxTop } = getListbox(wrapper)
.getDOMNode()
.getBoundingClientRect();
const { top: buttonTop } = getToggleButton(wrapper)
.getDOMNode()
.getBoundingClientRect();

const listboxDidDropUp = wrapper =>
getListbox(wrapper).prop('className').includes('bottom-full');
return listboxTop < buttonTop;
};

it('changes selected value when an option is clicked', () => {
const onChange = sinon.stub();
Expand Down Expand Up @@ -261,11 +272,32 @@ describe('SelectNext', () => {
});

[
{ containerPaddingTop: 0, shouldDropUp: false },
{ containerPaddingTop: 1000, shouldDropUp: true },
].forEach(({ containerPaddingTop, shouldDropUp }) => {
{
containerPaddingTop: 0,
shouldDropUp: false,
nativePopoverSupported: true,
},
{
containerPaddingTop: 0,
shouldDropUp: false,
nativePopoverSupported: false,
},
{
containerPaddingTop: 1000,
shouldDropUp: true,
nativePopoverSupported: true,
},
{
containerPaddingTop: 1000,
shouldDropUp: true,
nativePopoverSupported: false,
},
].forEach(({ containerPaddingTop, shouldDropUp, nativePopoverSupported }) => {
it('makes listbox drop up or down based on available space below', () => {
const wrapper = createComponent({}, { paddingTop: containerPaddingTop });
const wrapper = createComponent(
{ nativePopoverSupported },
{ paddingTop: containerPaddingTop },
);
toggleListbox(wrapper);

assert.equal(listboxDidDropUp(wrapper), shouldDropUp);
Expand All @@ -282,6 +314,57 @@ describe('SelectNext', () => {
});
});

context('when popover is supported', () => {
it('opens listbox via popover API', async () => {
const wrapper = createComponent({ nativePopoverSupported: true });
let resolve;
const promise = new Promise(res => (resolve = res));

getListbox(wrapper).getDOMNode().addEventListener('toggle', resolve);
toggleListbox(wrapper);

// This test will timeout if the toggle event is not dispatched
await promise;
});
});

context('when listbox is bigger than toggle button', () => {
[
{
nativePopoverSupported: true,
getListboxLeft: wrapper => {
const leftStyle = getListbox(wrapper).getDOMNode().style.left;
// Remove last 2 chars, which are the `px` unit indicator
return Number(leftStyle.slice(0, -2));
},
},
{
nativePopoverSupported: false,
getListboxLeft: wrapper =>
getListbox(wrapper).getDOMNode().getBoundingClientRect().left,
},
].forEach(({ nativePopoverSupported, getListboxLeft }) => {
it('aligns listbox to the right if `right` prop is true', async () => {
const wrapper = createComponent({
nativePopoverSupported,
right: true,
buttonClasses: '!w-8', // Set a small width in the button
});
toggleListbox(wrapper);

// Wait for listbox to be open
await waitFor(() => !isListboxClosed(wrapper));

const { left: buttonLeft } = getToggleButton(wrapper)
.getDOMNode()
.getBoundingClientRect();
const listboxLeft = getListboxLeft(wrapper);

assert.isTrue(listboxLeft < buttonLeft);
});
});
});

it(
'should pass a11y checks',
checkAccessibility([
Expand Down
Loading

0 comments on commit e81cd0c

Please sign in to comment.