Security News
RubyGems.org Adds New Maintainer Role
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.
react-datalist-input
Advanced tools
react-datalist-input provides a React datalist/combobox component called DatalistInput. The component contains an input field with a dropdown menu of suggestions based on the current input.
react-datalist-input provides a React datalist/combobox component called DatalistInput. The component contains an input field with a dropdown menu of suggestions based on the current input.
DatalistInput is intended to be easy to use and comes with default styling:
import DatalistInput from 'react-datalist-input';
import 'react-datalist-input/dist/styles.css';
const YourComponent = () => (
<DatalistInput
placeholder="Chocolate"
label="Select ice cream flavor"
onSelect={(item) => console.log(item.value)}
items={[
{ id: 'Chocolate', value: 'Chocolate' },
{ id: 'Coconut', value: 'Coconut' },
{ id: 'Mint', value: 'Mint' },
{ id: 'Strawberry', value: 'Strawberry' },
{ id: 'Vanilla', value: 'Vanilla' },
]}
/>
);
But DatalistInput is also intented to be easy to extend:
import DatalistInput, { useComboboxControls } from 'react-datalist-input';
const YourComponent = () => {
const { setValue, value } = useComboboxControls({ initialValue: 'Chocolate' });
return (
<DatalistInput
value={value}
setValue={setValue}
label="Select ice cream flavor"
showLabel={false}
items={[...]}
onSelect={(item) => {
setValue(''); // Custom behavior: Clear input field once a value has been selected
}}
/>
);
};
Note: React 18 required! Version 3.0.0 utilizes React 18. If you use React <=17, install react-datalist-input@2.2.1
instead! Find the documentation for version 2.2.1 here.
npm i react-datalist-input
yarn add react-datalist-input
TL;DR:
There are various kinds of dropdown UI controls. This package implements one of them - the combobox control - as defined by WAI-ARIA 1.2.
A combobox renders a list of suggested values based on an input field. The user can select an option of the list to autocomplete the input field or type in a value that is not in the list. This is the main difference to the select control, where the user must pick a value from the list. You can read more about the differences on vitalflux.com.
If you don't care about custom functionality or advanced styling, consider using the native datalist HTML5 element. If you require more control, then this package is for you!
You can also build something tailored to your own use case from scratch! Have a look at w3schools.com to see how to create a autocomplete control with pure HTML, CSS, and JS.
This package follows the WAI-ARIA 1.2 specification. Be aware that version 1.2 is still in development. If you require a more battle-tested ARIA implementation, consider using Reach UI instead.
This package does not implement the optional aria-activedescendant
property but rather programatically shifts focus to the active item. This might be up to change in the future!
Please provide your feedback on GitHub!
The documentation below only applies to the latest version. Please find earlier versions of the documentation on GitHub, e.g. version 2.2.1.
Version 3.1.0 changes the default filter from startsWith
to includes
to match the behavior of the datalist HTML 5 element. You can read more information about filtering and how to use a custom filter down below (Filtering).
Full refactor of react-datalist-input.
Note: Be aware that version 3.0.0 includes breaking changes. Version 3.0.0 deprecates some properties from the DatalistInput component such as requiredInputLength
. Instead of using custom properties for different use cases, you have now full control using the useComboboxControls
hook and the filters
property. Use plain React state and callbacks to control every aspect of the component's behavior!
Motivation: Issue 23
Offer optional value prop, in case the user requires full control to change/clear the input value based on side effects
Changes:
initialValue
propvalue
prop instead (default undefined)clearOnClickInput
prop (default false)onClick
lifecycle method prop (default empty function)Changes:
useStateRef
to reduce re-renders and boost performanceimport React, { useState, useMemo, useCallback } from 'react';
// Import the DataListInput component
import DataListInput from 'react-datalist-input';
// Integrate the css file if you want to use the default styling
import 'react-datalist-input/dist/styles.css';
// Your data source
const options = [
{ name: 'Chocolate' },
{ name: 'Coconut' },
{ name: 'Mint' },
{ name: 'Strawberry' },
{ name: 'Vanilla' },
];
const YourComponent = ({ options }) => {
const [item, setItem] = useState(); // The selected item will be stored in this state.
/**
* The onSelect callback function is called if the user selects one option out of the dropdown menu.
* @param selectedItem object (the selected item / option)
*/
const onSelect = useCallback((selectedItem) => {
console.log('selectedItem', selectedItem);
setItem(selectedItem);
}, []);
// Make sure each option has an unique id and a value
const items = useMemo(
() =>
options.map((option) => ({
// required: id and value
id: option.name,
value: option.name,
// optional: label, node
// label: option.name, // use a custom label instead of the value
// node: option.name, // use a custom ReactNode to display the option
...option, // pass along any other properties to access in your onSelect callback
})),
[],
);
return (
<DatalistInput label="Select your favorite flavor" placeholder="Chocolate" items={items} onSelect={onSelect} />
);
};
For simple use cases, you can use the default styling provided by this package: import 'react-datalist-input/dist/styles.css'
.
However, you can also customize the styling by providing your own CSS! Instead of importing the default stylesheet, create your own one. The following classes are available:
react-datalist-input__container
: For the container element.react-datalist-input__textbox
: For the input element.react-datalist-input__label
: For the label element.react-datalist-input__listbox
: For the dropdown list.react-datalist-input__listbox-option
: For each option in the dropdown list.Note: Use the focus and hover states of react-datalist-input__listbox-option
to show the user some visual feedback.
.react-datalist-input__listbox-option:focus {
background-color: gray;
}
Tip: To get up and running quickly, just copy-paste the default stylesheet and adapt the pieces you need.
Alternatively, you can also pass custom classes to each element of the DatalistInput component by using the following props:
className
: For the container element.inputProps["className"]
: For the input element.labelProps["className"]
: For the label element.listboxProps["className"]
: For the dropdown list.listboxOptionProps["className"]
: For each option in the dropdown list.isExpandedClassName
: Applied to the dropdown list if it is expanded.isCollapsedClassName
: Applied to the dropdown list if it is collapsed. !If provided, you must manage the hiding of the dropdown list yourself!You can also customize the rendering of each item in the dropdown list by providing a custom component.
import { useMemo } from 'react';
import type { Item } from '../combobox';
import { DatalistInput, useComboboxControls } from '../combobox';
type CustomItem = Item & {
description: string;
};
const items: Array<CustomItem> = [
{ id: 'Chocolate', value: 'Chocolate', description: 'Chocolate is delicious' },
{ id: 'Coconut', value: 'Coconut', description: 'Coconut is tasty but watch your head!' },
{ id: 'Mint', value: 'Mint', description: 'Mint is a herb?' },
{ id: 'Strawberry', value: 'Strawberry', description: 'Strawberries are red' },
{ id: 'Vanilla', value: 'Vanilla', description: 'Vanilla is a flavor' },
];
const CustomItem = ({ item }: { item: CustomItem }) => {
// Each item is wrapped in a li element, so we don't need to provide a custom li element here.
return (
<div style={{ display: 'flex', gap: '5px', flexDirection: 'column' }}>
<b>{item.value}</b>
<span>{item.description}</span>
</div>
);
};
export default function Index() {
const customItems = items.map((item) => ({
// each item requires an id and value
...item,
// but we can also add a custom component for the item
node: <CustomItem item={item} />,
}));
return (
<DatalistInput
label={<div>Custom Label</div>}
placeholder="Chocolate"
items={customItems}
onSelect={(i) => console.log(i)}
/>
);
}
Note: Please note that by default the Item.value property is used for filtering. In case you want to filter over custom properties, make sure to implement a custom filter function.
By default, the DatalistInput component will filter the dropdown list based on the value of the input element using the includes
method. This follows the behavior of the datalist HTMl element. You can however provide your own filtering function by passing a custom filter
function to the DatalistInput component.
For instace, this package exposes a startsWith
alternative filter functions that you can use as follows:
import { DatalistInput, startsWithValueFilter } from 'react-datalist-input';
const YourComponent = () => {
return <DatalistInput label="Select ice cream flavor" items={items} filters={[startsWithValueFilter]} />;
};
Now, the dropdown list will only show items that start with the input value.
You can also implement a custom filter function:
import type { Filter } from 'react-datalist-input';
import { DatalistInput } from 'react-datalist-input';
const YourComponent = () => {
// Custom filter: Display all values that are smaller or equal than the input value
const myFilterFunction: Filter = useCallback(
(items, value) => items.filter((item) => item.value <= value),
[selectedItems],
);
return <DatalistInput label="Select ice cream flavor" items={items} filters={[myFilterFunction]} />;
};
You can chain custom filters to filter the list of options displayed in the dropdown menu.
For instance, display only the first three items in the list:
import type { Filter } from 'react-datalist-input';
// Import the default filter startWithValueFilter
import { DatalistInput, includesValueFilter } from 'react-datalist-input';
const YourComponent = () => {
// Custom filter: Only display the first 3 items
const limitOptionsFilter: Filter = useCallback((items, value) => items.slice(0, 3), []);
// First we filter by the value using the default filter, then we add a custom filter.
const filters = [includesValueFilter, customFilter];
return <DatalistInput label="Select ice cream flavor" items={items} filters={filters} />;
};
Since all props of the input element are exposed, you can easily customize DatalistInput to act as an Select component.
Just set the input field to readonly, adjust the filter to always show all options, and set the selected item as the new value of the input field:
import { DatalistInput, useComboboxControls } from 'react-datalist-input';
const items = [
{ id: 'Chocolate', value: 'Chocolate' },
{ id: 'Coconut', value: 'Coconut' },
{ id: 'Mint', value: 'Mint' },
{ id: 'Strawberry', value: 'Strawberry' },
{ id: 'Vanilla', value: 'Vanilla' },
];
function YourComponent() {
// The useComboboxControls hook provides useful states so you don't have to define them yourself.
const { value, setValue } = useComboboxControls({ initialValue: 'Chocolate' }); // Same as: const [value, setValue] = useState("Chocolate");
return (
<DatalistInput
value={value}
onSelect={(item) => setValue(item.value)}
label="Select ice cream flavor"
items={items}
filters={[(items) => items]}
inputProps={{
title: 'Please select an ice cream flavor',
required: true,
pattern: `^(${items.map((i) => i.value).join('|')})$`,
readOnly: true,
}}
/>
);
}
Use the useComboboxControls
hook to get fine-grained control over the input value and the dropdown expansion states or just manage the value and expanded state yourself!
In this example, we utilize DatalistInput to act as a multi-select control:
import { DatalistInput, useComboboxControls, startsWithValueFilter } from 'react-datalist-input';
const YourComponent = () => {
// useComboboxControls returns state and handlers for the input value and the dropdown expansion state
const { isExpanded, setIsExpanded, setValue, value } = useComboboxControls({ isExpanded: true });
const [selectedItems, setSelectedItems] = useState<Item[]>([]);
useEffect(() => {
// Abitrary logic: Close select after 3 selections
if (selectedItems.length === 3) {
setIsExpanded(false);
}
}, [selectedItems]);
// Custom filter: Filter displayed items based on previous selections
const customFilter: Filter = useCallback(
(options, value) => {
return options.filter((o) => !selectedItems.find((s) => s.id === o.id));
},
[selectedItems],
);
return (
<DatalistInput
isExpanded={isExpanded}
setIsExpanded={setIsExpanded}
value={value}
setValue={setValue}
onSelect={(item) => {
if (selectedItems.length >= 3) setSelectedItems([item]);
else setSelectedItems((prevItems) => [...prevItems, item]); // Add the selected item to the list of selected items
setValue(''); // Clear the input value after selection
setIsExpanded(true); // Keep dropdown open after selection
}}
label="Select ice cream flavor"
items={items}
filters={[customFilter, startsWithValueFilter]}
/>
);
};
DatalistInput accepts the following properties:
items
: An array of objects of type Item
with the following properties:
label
: The label of the input. Can be of type ReactNode or string.showLabel
: Whether to show the label. If not provided, defaults to true. If false, the label will not be shown but the label property must be of type string and will be supplied to the aria-label
attribute.placeholder
: The placeholder of the input.value
: The value of the input.setValue
: A function to set the value of the input.isExpanded
: Whether the dropdown is expanded.setIsExpanded
: A function to set the expanded state of the dropdown.onSelect
: A callback function that is called when the user selects an option.filters
: An array of filters of type Filter
that are applied to the list of options displayed in the dropdown menu.selectedItem
: The currently selected item. Important for ARIA. DatalistInput keeps track of the last selected item. You only need to provide this prop if you want to change the selected item outside of the component.inputProps
: An object of props to pass to the combobox input element.listboxProps
: An object of props to pass to the listbox element.labelProps
: An object of props to pass to the label element.listboxOptionProps
: An object of props to pass to the listbox option elements.isExpandedClassName
: The class name applied to the listbox element if it is expanded.isCollapsedClassName
: The class name applied to the listbox element if it is collapsed.isExpandedStyle
: The inline style applied to the listbox element if it is expanded.isCollapsedStyle
: The inline style applied to the listbox element if it is collapsed.className
: The class name applied to the container element.The following utilities are exported together with the DatalistInput component:
includesValueFilter
: The default filter that filters the list of options based on the value of the input. This filter follows the behavior of the datalist HTML element.startsWithValueFilter
: An alternative filter that filters based on the start of the option's value.useComboboxControls
: A hook to get the state and handlers for the input value and the dropdown expansion state.useComboboxHelpers
: A low-level hook, which returns a set of callbacks and event handlers for the DatalistInput component.useFilters
: A hook that applies an array of filters to an array of items based on the current value.useComboboxContext
: A low-level hook that returns the Combobox context value.Combobox
: A low-level component which is wrapped by DatalistInput. It also acts as the Combobox ContextProvider.Combobox.ComboboxInput
: A low-level component that provides the input field. It has to be wrapped by the Combobox component.Combobox.Listbox
: A low-level component that provides the listbox. It has to be wrapped by the Combobox component.Combobox.ListboxOption
: A low-level component that provides one listbox option. It has to be wrapped by the Combobox component.Combobox.Highlight
: A low-level component that provides highlighting of the listbox option values based on the current input value. It has to be wrapped by the Combobox component.The following types are exported from react-datalist-input and available for use in your components:
Filter
: A filter which can be added to the filters property of the DatalistInput component.Item
: An item that can be added to the items property of the DatalistInput component.DatalistInputProps
: The props accepted by the DatalistInput component.ComboxboxProps
: The props accepted by the low-level Combobox component.ComboboxInputProps
: The props accepted by the low-level ComboboxInput component.ListboxProps
: The props accepted by the low-level Listbox component.ListboxOptionProps
: The props accepted by the low-level ListboxOption component.HighlightProps
: The props accepted by the low-level Highlight component.useComoboxHelpersConfigParams
: The params for the low-level useComboboxHelpers
hook.FAQs
react-datalist-input provides a React datalist/combobox component called DatalistInput. The component contains an input field with a dropdown menu of suggestions based on the current input.
The npm package react-datalist-input receives a total of 476 weekly downloads. As such, react-datalist-input popularity was classified as not popular.
We found that react-datalist-input demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.
Security News
Node.js will be enforcing stricter semver-major PR policies a month before major releases to enhance stability and ensure reliable release candidates.
Security News
Research
Socket's threat research team has detected five malicious npm packages targeting Roblox developers, deploying malware to steal credentials and personal data.