123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529 |
- /**
- * Inspired by [Downshift](https://github.com/paypal/downshift)
- *
- * Implemented with a stripped-down, compatible API for our use case.
- * May be worthwhile to switch if we find we need more features
- *
- * Basic idea is that we call `children` with props necessary to render with any sort of component structure.
- * This component handles logic like when the dropdown menu should be displayed, as well as handling keyboard input, how
- * it is rendered should be left to the child.
- */
- import {Component} from 'react';
- import DeprecatedDropdownMenu, {
- GetActorArgs,
- GetMenuArgs,
- } from 'sentry/components/deprecatedDropdownMenu';
- import {uniqueId} from 'sentry/utils/guid';
- const defaultProps = {
- itemToString: () => '',
- /**
- * If input should be considered an "actor". If there is another parent actor, then this should be `false`.
- * e.g. You have a button that opens this <AutoComplete> in a dropdown.
- */
- inputIsActor: true,
- disabled: false,
- closeOnSelect: true,
- /**
- * Can select autocomplete item with "Enter" key
- */
- shouldSelectWithEnter: true,
- /**
- * Can select autocomplete item with "Tab" key
- */
- shouldSelectWithTab: false,
- };
- type Item = {
- 'data-test-id'?: string;
- disabled?: boolean;
- };
- type GetInputArgs<E extends HTMLInputElement> = {
- onBlur?: (event: React.FocusEvent<E>) => void;
- onChange?: (event: React.ChangeEvent<E>) => void;
- onFocus?: (event: React.FocusEvent<E>) => void;
- onKeyDown?: (event: React.KeyboardEvent<E>) => void;
- placeholder?: string;
- style?: React.CSSProperties;
- type?: string;
- };
- type GetInputOutput<E extends HTMLInputElement> = GetInputArgs<E> &
- GetActorArgs<E> & {
- value?: string;
- };
- type GetItemArgs<T> = {
- index: number;
- item: T;
- onClick?: (item: T) => (e: React.MouseEvent) => void;
- };
- type ChildrenProps<T> = Parameters<DeprecatedDropdownMenu['props']['children']>[0] & {
- /**
- * Returns props for the input element that handles searching the items
- */
- getInputProps: <E extends HTMLInputElement = HTMLInputElement>(
- args: GetInputArgs<E>
- ) => GetInputOutput<E>;
- /**
- * Returns props for an individual item
- */
- getItemProps: (args: GetItemArgs<T>) => {
- onClick: (e: React.MouseEvent) => void;
- };
- /**
- * The actively highlighted item index
- */
- highlightedIndex: number;
- /**
- * The current value of the input box
- */
- inputValue: string;
- /**
- * Registers the total number of items in the dropdown menu.
- *
- * This must be called for keyboard navigation to work.
- */
- registerItemCount: (count?: number) => void;
- /**
- * Registers an item as being visible in the autocomplete menu. Returns an
- * cleanup function that unregisters the item as visible.
- *
- * This is needed for managing keyboard navigation when using react virtualized.
- *
- * NOTE: Even when NOT using a virtualized list, this must still be called for
- * keyboard navigation to work!
- */
- registerVisibleItem: (index: number, item: T) => () => void;
- /**
- * The current selected item
- */
- selectedItem?: T;
- };
- type State<T> = {
- highlightedIndex: number;
- inputValue: string;
- isOpen: boolean;
- selectedItem?: T;
- };
- type Props<T> = typeof defaultProps & {
- /**
- * Must be a function that returns a component
- */
- children: (props: ChildrenProps<T>) => React.ReactElement | null;
- disabled: boolean;
- defaultHighlightedIndex?: number;
- defaultInputValue?: string;
- inputValue?: string;
- isOpen?: boolean;
- itemToString?: (item?: T) => string;
- onClose?: (...args: Array<any>) => void;
- onInputValueChange?: (value: string) => void;
- onMenuOpen?: () => void;
- onOpen?: (...args: Array<any>) => void;
- onSelect?: (
- item: T,
- state?: State<T>,
- e?: React.MouseEvent | React.KeyboardEvent
- ) => void;
- /**
- * Resets autocomplete input when menu closes
- */
- resetInputOnClose?: boolean;
- };
- class AutoComplete<T extends Item> extends Component<Props<T>, State<T>> {
- static defaultProps = defaultProps;
- state: State<T> = this.getInitialState();
- getInitialState() {
- const {defaultHighlightedIndex, isOpen, inputValue, defaultInputValue} = this.props;
- return {
- isOpen: !!isOpen,
- highlightedIndex: defaultHighlightedIndex || 0,
- inputValue: inputValue ?? defaultInputValue ?? '',
- selectedItem: undefined,
- };
- }
- componentDidMount() {
- this._mounted = true;
- }
- componentDidUpdate(_prevProps: Props<T>, prevState: State<T>) {
- // If we do NOT want to close on select, then we should not reset highlight state
- // when we select an item (when we select an item, `this.state.selectedItem` changes)
- if (this.props.closeOnSelect && this.state.selectedItem !== prevState.selectedItem) {
- this.resetHighlightState();
- }
- }
- componentWillUnmount() {
- this._mounted = false;
- window.clearTimeout(this.blurTimeout);
- window.clearTimeout(this.cancelCloseTimeout);
- }
- private _mounted: boolean = false;
- private _id = `autocomplete-${uniqueId()}`;
- /**
- * Used to track keyboard navigation of items.
- */
- items = new Map<number, T>();
- /**
- * When using a virtualized list the length of the items mapping will not match
- * the actual item count. This stores the _real_ item count.
- */
- itemCount?: number;
- blurTimeout: number | undefined = undefined;
- cancelCloseTimeout: number | undefined = undefined;
- get inputValueIsControlled() {
- return typeof this.props.inputValue !== 'undefined';
- }
- get isOpenIsControlled() {
- return typeof this.props.isOpen !== 'undefined';
- }
- get inputValue() {
- return this.props.inputValue ?? this.state.inputValue;
- }
- get isOpen() {
- return this.isOpenIsControlled ? this.props.isOpen : this.state.isOpen;
- }
- makeItemId = (index: number) => {
- return `${this._id}-item-${index}`;
- };
- getItemElement = (index: number) => {
- const id = this.makeItemId(index);
- const element = document.getElementById(id);
- return element;
- };
- /**
- * Resets `this.items` and `this.state.highlightedIndex`.
- * Should be called whenever `inputValue` changes.
- */
- resetHighlightState() {
- // reset items and expect `getInputProps` in child to give us a list of new items
- this.setState({highlightedIndex: this.props.defaultHighlightedIndex ?? 0});
- }
- makeHandleInputChange<E extends HTMLInputElement>(
- onChange: GetInputArgs<E>['onChange']
- ) {
- // Some inputs (e.g. input) pass in only the event to the onChange listener and
- // others (e.g. TextField) pass in both the value and the event to the onChange listener.
- // This returned function is to accomodate both kinds of input components.
- return (
- valueOrEvent: string | React.ChangeEvent<E>,
- event?: React.ChangeEvent<E>
- ) => {
- const value: string =
- event === undefined
- ? (valueOrEvent as React.ChangeEvent<E>).target.value
- : (valueOrEvent as string);
- const changeEvent: React.ChangeEvent<E> =
- event === undefined ? (valueOrEvent as React.ChangeEvent<E>) : event;
- // We force `isOpen: true` here because:
- // 1) it's possible to have menu closed but input with focus (i.e. hitting "Esc")
- // 2) you select an item, input still has focus, and then change input
- this.openMenu();
- if (!this.inputValueIsControlled) {
- this.setState({
- inputValue: value,
- });
- }
- this.props.onInputValueChange?.(value);
- onChange?.(changeEvent);
- };
- }
- makeHandleInputFocus<E extends HTMLInputElement>(onFocus: GetInputArgs<E>['onFocus']) {
- return (e: React.FocusEvent<E>) => {
- this.openMenu();
- onFocus?.(e);
- };
- }
- /**
- * We need this delay because we want to close the menu when input
- * is blurred (i.e. clicking or via keyboard). However we have to handle the
- * case when we want to click on the dropdown and causes focus.
- *
- * Clicks outside should close the dropdown immediately via <DeprecatedDropdownMenu />,
- * however blur via keyboard will have a 200ms delay
- */
- makehandleInputBlur<E extends HTMLInputElement>(onBlur: GetInputArgs<E>['onBlur']) {
- return (e: React.FocusEvent<E>) => {
- window.clearTimeout(this.blurTimeout);
- this.blurTimeout = window.setTimeout(() => {
- this.closeMenu();
- onBlur?.(e);
- }, 200);
- };
- }
- // Dropdown detected click outside, we should close
- handleClickOutside = async () => {
- // Otherwise, it's possible that this gets fired multiple times
- // e.g. click outside triggers closeMenu and at the same time input gets blurred, so
- // a timer is set to close the menu
- window.clearTimeout(this.blurTimeout);
- // Wait until the current macrotask completes, in the case that the click
- // happened on a hovercard or some other element rendered outside of the
- // autocomplete, but controlled by the existence of the autocomplete, we
- // need to ensure any click handlers are run.
- await new Promise(resolve => window.setTimeout(resolve));
- this.closeMenu();
- };
- makeHandleInputKeydown<E extends HTMLInputElement>(
- onKeyDown: GetInputArgs<E>['onKeyDown']
- ) {
- return (e: React.KeyboardEvent<E>) => {
- const item = this.items.get(this.state.highlightedIndex);
- const isEnter = this.props.shouldSelectWithEnter && e.key === 'Enter';
- const isTab = this.props.shouldSelectWithTab && e.key === 'Tab';
- if (item !== undefined && (isEnter || isTab)) {
- if (!item.disabled) {
- this.handleSelect(item, e);
- }
- e.preventDefault();
- }
- if (e.key === 'ArrowUp') {
- this.moveHighlightedIndex(-1);
- e.preventDefault();
- }
- if (e.key === 'ArrowDown') {
- this.moveHighlightedIndex(1);
- e.preventDefault();
- }
- if (e.key === 'Escape') {
- this.closeMenu();
- }
- onKeyDown?.(e);
- };
- }
- makeHandleItemClick({item, index}: GetItemArgs<T>) {
- return (e: React.MouseEvent) => {
- if (item.disabled) {
- return;
- }
- window.clearTimeout(this.blurTimeout);
- this.setState({highlightedIndex: index});
- this.handleSelect(item, e);
- };
- }
- makeHandleMouseEnter({item, index}: GetItemArgs<T>) {
- return (_e: React.MouseEvent) => {
- if (item.disabled) {
- return;
- }
- this.setState({highlightedIndex: index});
- };
- }
- handleMenuMouseDown = () => {
- window.clearTimeout(this.cancelCloseTimeout);
- // Cancel close menu from input blur (mouseDown event can occur before input blur :()
- this.cancelCloseTimeout = window.setTimeout(() => {
- window.clearTimeout(this.blurTimeout);
- });
- };
- /**
- * When an item is selected via clicking or using the keyboard (e.g. pressing "Enter")
- */
- handleSelect(item: T, e: React.MouseEvent | React.KeyboardEvent) {
- const {onSelect, itemToString, closeOnSelect} = this.props;
- onSelect?.(item, this.state, e);
- if (closeOnSelect) {
- this.closeMenu();
- this.setState({
- inputValue: itemToString(item),
- selectedItem: item,
- });
- return;
- }
- this.setState({selectedItem: item});
- }
- moveHighlightedIndex(step: number) {
- let newIndex = this.state.highlightedIndex + step;
- // when this component is in virtualized mode, only a subset of items will
- // be passed down, making the map size inaccurate. instead we manually pass
- // the length as itemCount
- const listSize = this.itemCount ?? this.items.size;
- // Make sure new index is within bounds
- newIndex = Math.max(0, Math.min(newIndex, listSize - 1));
- this.setState({highlightedIndex: newIndex}, () => {
- // Scroll the newly highlighted element into view
- const highlightedElement = this.getItemElement(newIndex);
- if (highlightedElement && typeof highlightedElement.scrollIntoView === 'function') {
- highlightedElement.scrollIntoView({block: 'nearest'});
- }
- });
- }
- /**
- * Open dropdown menu
- *
- * This is exposed to render function
- */
- openMenu = (...args: Array<any>) => {
- const {onOpen, disabled} = this.props;
- onOpen?.(...args);
- if (disabled || this.isOpenIsControlled) {
- return;
- }
- this.resetHighlightState();
- this.setState({
- isOpen: true,
- });
- };
- /**
- * Close dropdown menu
- *
- * This is exposed to render function
- */
- closeMenu = (...args: Array<any>) => {
- const {onClose, resetInputOnClose} = this.props;
- onClose?.(...args);
- if (!this._mounted) {
- return;
- }
- this.setState(state => ({
- isOpen: !this.isOpenIsControlled ? false : state.isOpen,
- inputValue: resetInputOnClose ? '' : state.inputValue,
- }));
- };
- getInputProps<E extends HTMLInputElement>(
- inputProps?: GetInputArgs<E>
- ): GetInputOutput<E> {
- const {onChange, onKeyDown, onFocus, onBlur, ...rest} = inputProps ?? {};
- return {
- ...rest,
- value: this.inputValue,
- onChange: this.makeHandleInputChange<E>(onChange),
- onKeyDown: this.makeHandleInputKeydown<E>(onKeyDown),
- onFocus: this.makeHandleInputFocus<E>(onFocus),
- onBlur: this.makehandleInputBlur<E>(onBlur),
- };
- }
- getItemProps = (itemProps: GetItemArgs<T>) => {
- const {item, index, ...props} = itemProps ?? {};
- return {
- ...props,
- id: this.makeItemId(index),
- role: 'option',
- 'data-test-id': item['data-test-id'],
- onClick: this.makeHandleItemClick(itemProps),
- onMouseEnter: this.makeHandleMouseEnter(itemProps),
- };
- };
- registerVisibleItem = (index: number, item: T) => {
- this.items.set(index, item);
- return () => this.items.delete(index);
- };
- registerItemCount = (count?: number) => {
- this.itemCount = count;
- };
- render() {
- const {children, onMenuOpen, inputIsActor} = this.props;
- const {selectedItem, highlightedIndex} = this.state;
- const isOpen = this.isOpen;
- return (
- <DeprecatedDropdownMenu
- isOpen={isOpen}
- onClickOutside={this.handleClickOutside}
- onOpen={onMenuOpen}
- >
- {dropdownMenuProps =>
- children({
- ...dropdownMenuProps,
- getMenuProps: <E extends Element = Element>(props?: GetMenuArgs<E>) =>
- dropdownMenuProps.getMenuProps({
- ...props,
- onMouseDown: this.handleMenuMouseDown,
- }),
- getInputProps: <E extends HTMLInputElement = HTMLInputElement>(
- props?: GetInputArgs<E>
- ): GetInputOutput<E> => {
- const inputProps = this.getInputProps<E>(props);
- return inputIsActor
- ? dropdownMenuProps.getActorProps<E>(inputProps as GetActorArgs<E>)
- : inputProps;
- },
- getItemProps: this.getItemProps,
- registerVisibleItem: this.registerVisibleItem,
- registerItemCount: this.registerItemCount,
- inputValue: this.inputValue,
- selectedItem,
- highlightedIndex,
- actions: {
- open: this.openMenu,
- close: this.closeMenu,
- },
- })
- }
- </DeprecatedDropdownMenu>
- );
- }
- }
- export default AutoComplete;
|