useAutocomplete
useAutocomplete
hook allows you to manage Material UI's <Autocomplete>
component when records in a resource needs to be used as select options.
This hook uses the useList
hook for fetching data. Refer to useList hook for details. โ
Usageโ
Here is a basic example of how to use useAutocomplete
hook.
Realtime Updatesโ
LiveProvider
is required for this prop to work.
When useAutocomplete
hook is mounted, it passes some parameters (channel
, resource
etc.) to the subscribe
method from the liveProvider
.
It is useful when you want to subscribe to the live updates.
Propertiesโ
resource requiredโ
It will be passed to the getList
method from the dataProvider
as parameter via the useList
hook. The parameter is usually used as an API endpoint path. It all depends on how to handle the resource
in the getList
method. See the creating a data provider section for an example of how resources are handled.
useAutocomplete({
resource: "categories",
});
If you have multiple resources with the same name, you can pass the identifier
instead of the name
of the resource. It will only be used as the main matching key for the resource, data provider methods will still work with the name
of the resource defined in the <Refine/>
component.
For more information, refer to the
identifier
section of the<Refine/>
component documentation โ
sortersโ
It allows to show the options in the desired order. sorters
will be passed to the getList
method from the dataProvider
as parameter via the useList
hook. It is used to send sorters
query parameters to the API.
For more information, refer to the
CrudSorting
interface documentation โ
useAutocomplete({
sorters: [
{
field: "title",
order: "asc",
},
],
});
filtersโ
filters
is used to show options by filtering them. filters
will be passed to the getList
method from the dataProvider
as parameter via the useList
hook. It is used to send filter query parameters to the API.
For more information, refer to the
CrudFilters
interface documentation โ
useAutocomplete({
filters: [
{
field: "isActive",
operator: "eq",
value: true,
},
],
});
defaultValue
โ
Is used to fetch extra options from the API.
If there are many <select>
options and pagination is needed, the defaultValue
might not be in the visible list. This can break the <select>
component. To prevent this, a separate useMany
query fetches the defaultValue
from the backend and adds it to the options, ensuring it exists in the list. Since it uses useMany
, defaultValue
can be a single value or an array:
useAutocomplete({
defaultValue: 1, // or [1, 2]
});
INFORMATION
defaultValue
does not set a default selection. It only ensures the default value exists in the options.
To set a default selection, pass defaultValue
to the value
prop of <Autocomplete>
or useForm
:
const form = useForm({
defaultValues: {
category: { id: 1 }, // Default selected value
},
});
const { autocompleteProps } = useAutocomplete({
resource: "categories",
defaultValue: [1], // Ensures the default value is included in options
});
selectedOptionsOrderโ
selectedOptionsOrder
allows us to sort selectedOptions
on defaultValue
. It can be:
"in-place"
: sortselectedOptions
at the bottom. It is by default."selected-first"
: sortselectedOptions
at the top.
useAutocomplete({
defaultValue: 1, // or [1, 2]
selectedOptionsOrder: "selected-first", // in-place | selected-first
});
For more information, refer to the
useMany
documentation โ
debounceโ
It allows us to debounce
the onSearch
function.
useAutocomplete({
debounce: 500,
});
queryOptionsโ
queryOptions
is used to pass additional options to the useQuery
hook. It is useful when you want to pass additional options to the useQuery
hook.
For more information, refer to the
useQuery
documentation โ
useAutocomplete({
queryOptions: {
retry: 3,
},
});
paginationโ
pagination
will be passed to the getList
method from the dataProvider
as parameter. It is used to send pagination query parameters to the API.
currentโ
You can pass the current
page number to the pagination
property.
useAutocomplete({
pagination: {
current: 2,
},
});
pageSizeโ
You can pass the pageSize
to the pagination
property.
useAutocomplete({
pagination: {
pageSize: 20,
},
});
modeโ
It can be "off"
, "client"
or "server"
. It is used to determine whether to use server-side pagination or not.
useAutocomplete({
pagination: {
mode: "off",
},
});
defaultValueQueryOptionsโ
When the defaultValue
property is given, the useMany
data hook is called for the selected records. With this property, you can change the options of this query. If not given, the values given in queryOptions
will be used.
useAutocomplete({
resource: "categories",
defaultValueQueryOptions: {
onSuccess: (data) => {
console.log("triggers when on query return on success");
},
},
});
onSearchโ
It allows us to AutoComplete
the options
.
For more information, refer to the
CrudFilters
interface documentation โ
If onSearch
is used, it will override the existing filters
.
Client-side filteringโ
Sometimes, you may want to filter the options on the client-side. You can do this by passing onSearch
function as undefined
. This will disable the server-side filtering and will filter the options on the client-side.
import { createFilterOptions } from "@mui/material";
const { autocompleteProps } = useAutocomplete({
resource: "categories",
});
const filterOptions = createFilterOptions({
matchFrom: "start",
stringify: (option: any) => option.title,
});
<Autocomplete
{...autocompleteProps}
getOptionLabel={(item) => item.title}
onInputChange={(event, value) => {}}
filterOptions={filterOptions}
isOptionEqualToValue={(option, value) =>
value === undefined ||
option?.id?.toString() === (value?.id ?? value)?.toString()
}
placeholder="Select a category"
renderInput={(params) => (
<TextField
{...params}
label="Category"
margin="normal"
variant="outlined"
required
/>
)}
/>;
metaโ
meta
is a special property that can be used to pass additional information to data provider methods for the following purposes:
- Customizing the data provider methods for specific use cases.
- Generating GraphQL queries using plain JavaScript Objects (JSON).
For more information, refer to the
meta
section of the General Concepts documentation โ
In the following example, we pass the headers
property in the meta
object to the create
method. With similar logic, you can pass any properties to specifically handle the data provider methods.
useAutocomplete({
meta: {
headers: { "x-meta-data": "true" },
},
});
const myDataProvider = {
//...
getList: async ({
resource,
pagination,
sorters,
filters,
meta,
}) => {
const headers = meta?.headers ?? {};
const url = `${apiUrl}/${resource}`;
//...
//...
const { data, headers } = await httpClient.get(`${url}`, { headers });
return {
data,
};
},
//...
};
dataProviderNameโ
If there is more than one dataProvider
, you can specify which one to use by passing the dataProviderName
prop. It is useful when you have a different data provider for different resources.
useAutocomplete({
dataProviderName: "second-data-provider",
});
successNotificationโ
NotificationProvider
is required for this prop to work.
After data is fetched successfully, useAutocomplete
can call open
function from NotificationProvider
to show a success notification. With this prop, you can customize the success notification.
useAutocomplete({
successNotification: (data, values, resource) => {
return {
message: `${data.title} Successfully fetched.`,
description: "Success with no errors",
type: "success",
};
},
});
errorNotificationโ
NotificationProvider
is required for this prop to work.
After data fetching is failed, useAutocomplete
will call open
function from NotificationProvider
to show a error notification. With this prop, you can customize the error notification.
useAutocomplete({
errorNotification: (data, values, resource) => {
return {
message: `Something went wrong when getting ${data.id}`,
description: "Error",
type: "error",
};
},
});
liveModeโ
LiveProvider
is required for this prop to work.
Determines whether to update data automatically ("auto") or not ("manual") if a related live event is received. It can be used to update and show data in Realtime throughout your app.
For more information, please refer to the Live / Realtime documentation
useAutocomplete({
liveMode: "auto",
});
onLiveEventโ
LiveProvider
is required for this prop to work.
The callback function that is executed when new events from a subscription are arrived.
useAutocomplete({
onLiveEvent: (event) => {
console.log(event);
},
});
liveParamsโ
LiveProvider
is required for this prop to work.
Params to pass to liveProvider's subscribe method.
overtimeOptionsโ
If you want loading overtime for the request, you can pass the overtimeOptions
prop to the this hook. It is useful when you want to show a loading indicator when the request takes too long.
interval
is the time interval in milliseconds while onInterval
is the function that will be called on each interval.
Return overtime
object from this hook. elapsedTime
is the elapsed time in milliseconds. It becomes undefined
when the request is completed.
const { overtime } = useAutocomplete({
//...
overtimeOptions: {
interval: 1000,
onInterval(elapsedInterval) {
console.log(elapsedInterval);
},
},
});
console.log(overtime.elapsedTime); // undefined, 1000, 2000, 3000 4000, ...
// You can use it like this:
{
elapsedTime >= 4000 && <div>this takes a bit longer than expected</div>;
}
FAQโ
How to ensure defaultValue
is included in the options?โ
In some cases we only have id
, it may be necessary to show it selected in the selection box. This hook sends the request via useMany
, gets the data and mark as selected.
Can I create the options manually?โ
You can create a new options
object with query
.
const { autocompleteProps, query } = useAutocomplete();
const options = query.data?.data.map((item) => ({
title: item.title,
value: item.id,
}));
return <Autocomplete {...autocompleteProps} options={options || []} />;
How do I use it with CRUD
components and useForm
?โ
The use of useAutocomplete
with useForm
is demonstrated in the code above. You can use the useAutocomplete
hook independently of the useForm
hook.
By default, Refine does the search using the useList
hook and passes it to the search parameter. If you get a problem you should check your getList
function in your Data Provider. If you want to change this behavior to make client-side filtering, you can examine this documentation.
API Referenceโ
Propertiesโ
Property | Type | Description | Default |
---|---|---|---|
resource ๏นก |
| Resource name for API data interactions | |
defaultValue | Adds extra | ||
meta |
| Additional meta data to pass to the | |
dataProviderName |
| Additional meta data to pass to the |
|
successNotification |
| Success notification configuration to be displayed when the mutation is successful. | '"There was an error creating resource (status code: |
errorNotification |
| Error notification configuration to be displayed when the mutation fails. | '"There was an error creating resource (status code: |
pagination |
| Pagination option from |
|
filters |
| Resource name for API data interactions | |
sorters |
| Allow us to sort the options | |
queryOptions |
| react-query useQuery options | |
liveMode | Whether to update data automatically ("auto") or not ("manual") if a related live event is received. The "off" value is used to avoid creating a subscription. |
| |
onLiveEvent | Callback to handle all related live events of this hook. |
| |
liveParams | Params to pass to liveProvider's subscribe method if liveMode is enabled. |
| |
overtimeOptions |
| ||
onSearch |
| If defined, this callback allows us to override all filters for every search request. |
|
searchField |
| If provided |
|
selectedOptionsOrder |
| Allow us to sort the selection options |
|
debounce |
| The number of milliseconds to delay |
|
defaultValueQueryOptions |
| react-query useQuery options |
Type Parametersโ
Property | Description | Type | Default |
---|---|---|---|
TQueryFnData | Result data returned by the query function. Extends BaseRecord | BaseRecord | BaseRecord |
TError | Custom error object that extends HttpError | HttpError | HttpError |
TData | Result data returned by the select function. Extends BaseRecord . If not specified, the value of TQueryFnData will be used as the default value. | BaseRecord | TQueryFnData |
Return valuesโ
Property | Description | Type |
---|---|---|
autocompleteProps | Material UI Autocomplete props | AutoCompleteReturnValues |
query | Result of the query of a record | QueryObserverResult<{ data: TData }> |
defaultValueQuery | Result of the query of a defaultValue record | QueryObserverResult<{ data: TData }> |
defaultValueQueryOnSuccess | Default value onSuccess method | () => void |
overtime | Overtime loading props | { elapsedTime?: number } |
AutoCompleteReturnValuesโ
Property Description Type options Array of options TData
loading Loading state boolean
onInputChange Callback fired when the input value changes (event: React.SyntheticEvent, value: string, reason: string) => void
filterOptions Determines the filtered options to be rendered on search. (options: TData, state: object) => TData
Exampleโ
npm create refine-app@latest -- --example field-material-ui-use-autocomplete
- Usage
- Realtime Updates
- Properties
- resource
- sorters
- filters
defaultValue
- selectedOptionsOrder
- debounce
- queryOptions
- pagination
- current
- pageSize
- mode
- defaultValueQueryOptions
- onSearch
- Client-side filtering
- meta
- dataProviderName
- successNotification
- errorNotification
- liveMode
- onLiveEvent
- liveParams
- overtimeOptions
- FAQ
- How to ensure
defaultValue
is included in the options? - Can I create the options manually?
- How do I use it with
CRUD
components anduseForm
? - API Reference
- Properties
- Type Parameters
- Return values
- Example