Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
October 19, 2022 12:08 pm GMT

Material UI AutoComplete in React

Author: Doro Onome

Introduction

Material UI provides a unique set of components and utilities to help developers have a better creative experience with web applications. One such component is the MUI <Autocomplete/> component. This article will dive deep into the Material UI Autocomplete component, highlight its accompanied features and explore a potential use case in a real-world application.

Steps we'll cover:

  • What is Material UI?
  • Getting Started with MUI Autocomplete
  • MUI Autocomplete props
    • RenderInput
  • GetOptionLabel
  • GetOptionSelected
    • Free solo
    • GroupBy
  • MUI Autocomplete features
    • MUI Autocomplete State Management
    • The useAutocomplete Hook
    • Asynchronous Requests
    • Multiple Values
    • Fixed Options
    • Checkboxes
  • Cloning Googles Home Page UI with Material UI Autocomplete
  • MUI Autocomplete Limitations
    • autocomplete/autofill

What is Material UI?

Developed in 2014, Material UI is a React framework that provides adequate tools(components and utilities) to create a web application. MUI enables the use of various customisable components to create a UI for a company's web and mobile apps. Many developers now use Material UI to structure their projects because it makes web design more straightforward and effective.

Material UI offers several component categories, including Navigations components, Input components, Data Display components, Feedback components, e.t.c. The Material UI Autocomplete component is a prime example of the Input components.

You can install Material UI into your React project with:

npm npm install @mui/material @emotion/react @emotion/styled

yarn: yarn add @mui/material @emotion/react @emotion/styled

Getting Started with MUI Autocomplete

The Material UI <Autocomplete /> component can be identified as an improved React text input that includes several suggested options for better optimisation. It is an enhanced version of react-select or downshift packages.

The <Autocomplete /> component is best used for modifying single-line textbox values to accommodate more options. The components value is obtained from a predetermined range of acceptable values/options.

Heres how to structure your option values:

interface AutocompleteOption {  label: string;}// ortype AutocompleteOption = string;

Below is a simple illustration of MUI Autocomplete in play:

import * as React from 'react';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';// Top 5 Nigerian songs on Apple Music const top5Songs = [  { label: 'Organise'},  { label: 'Joha'},  { label: 'Terminator'},  { label: 'Dull'},  { label: 'Nzaza'},];export default function ComboBox() {  return (    <Autocomplete      disablePortal      id="combo-box-demo"      options={top5Songs}      sx={{ width: 300 }}      renderInput={(params) => <TextField {...params} label="Songs" />}    />  );}

The code above showcases an input text field that displays 5 songs as predefined option values.

Image first

MUI Autocomplete props

RenderInput

The renderInput prop allows you to customise the rendered input to display the option values in whatever form you please.

Consider the code below:

import * as React from 'react';import Autocomplete from '@mui/material/Autocomplete';const options = ['Option 1', 'Option 2'];export default function CustomInputAutocomplete() {  return (    <label>      Value:{' '}      <Autocomplete        sx={{          width: 200        }}        id="custom-input-demo"        options={options}        renderInput={(params) => (          <div ref={params.InputProps.ref}>            <input type="text" {...params.inputProps} />          </div>        )}      />    </label>  );}

The code above illustrates the use of the renderInput prop. Take special note of the ref and inputProps keys.

Heres the result:

Image renderInput

GetOptionLabel

getOptionLabel is used to display the text in the dropdown menu.

const top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},]<Autocomplete  id="combo-box-demo"  options={top5Songs}  getOptionLabel={(option) => option.year.toString()} // this displays a dropdown that uses option.title to show the title of the songs as option values. ......

GetOptionSelected

The getOptionSelected is used to determine the selected value of a specified array.

const top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},]<Autocomplete  id="combo-box-demo"  options={top5Songs)  getOptionSelected={(option) => option.title === 'dull'}....//this will select all the option with the song title 'dull' and make the background of that option darker

Other Material UI Autocomplete props include:

Free solo

When you add the freeSolo prop to the <Autocomplete /> component, it enables the text field to accept undetermined values. The prop's primary purpose is to provide suggestions for a search input like Google search does.

Heres a simple illustration:

import * as React from 'react';import TextField from '@mui/material/TextField';import Stack from '@mui/material/Stack';import Autocomplete from '@mui/material/Autocomplete';// Top 5 Nigerian songs on Apple Music const top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},];export default function FreeSolo() {  return (    <Stack spacing={2} sx={{ width: 300 }}>      <Autocomplete        id="free-solo-demo"        // calling the freeSolo prop inside the Autocomplete component        freeSolo        options={top5Songs.map((option) => option.title)}        renderInput={(params) => <TextField {...params} label="freeSolo" />}      />    </Stack>  );}

Heres the result:

Image freesolo

GroupBy

You can sort the MUI Autocomplete options with the groupBy prop. To do this, you must ensure that the values are sorted systematically in the same dimension as they are grouped to avoid duplicate headers.

Heres what I mean:

import * as React from 'react';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';// Top 100 films as rated by IMDb users. http://www.imdb.com/chart/topconst movies = [  // An array of movie objects with title as the key and the movie name as the value. ];export default function Grouped() {  const options = movies.map((option) => {    const firstLetter = option.title[0].toUpperCase();    return {      firstLetter: /[0-9]/.test(firstLetter) ? '0-9' : firstLetter,      ...option,    };  });  return (    <Autocomplete      id="grouped-demo"      options={options.sort((a, b) => -b.firstLetter.localeCompare(a.firstLetter))}      groupBy={(option) => option.firstLetter}      getOptionLabel={(option) => option.title}      sx={{ width: 300 }}      renderInput={(params) => <TextField {...params} label="Grouped Options" />}    />  );}

The code above illustrates the use of the groupBy prop in the <Autocomplete/>. It groups an array containing 100 movies, displays them alphabetically and highlights the first letter of the movie title when scrolling through.

Heres the result:

Image groupby

Stop wasting your time copy/pasting your table code all over your application!

Meet the headless, React-based solution to build sleek CRUD applications. With refine, you can be confident that your codebase will always stay clean and boilerplate-free.

Try refine to rapidly build your next CRUD project, whether it's an admin panel, dashboard, internal tool or storefront.


refine blog logo

MUI Autocomplete features

MUI Autocomplete State Management

The Autocomplete component has two manageable states:

The value state represents the value chosen by the user by clicking or pressing Enter.
The input value represents the value displayed in the textbox.

Study the code below:

import React, { useState } from 'react';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';const options = ['Value 1', 'Value 2'];// Creating the manageable statesexport default function ManageableStates() {  const [value, setValue] = useState<string | null>(options[0]);  const [inputValue, setInputValue] = useState('');  return (    <div>      {/* displaying the state values with template literals */}      <div>{`value: ${value !== null ? `'${value}'` : 'null'}`}</div>      <div>{`inputValue: '${inputValue}'`}</div>      <br />      {/* Calling the Autocomplete component and updating its state features */}      <Autocomplete        value={value}        onChange={(event: any, newValue: string | null) => {          setValue(newValue);        }}        inputValue={inputValue}        onInputChange={(event, newInputValue) => {          setInputValue(newInputValue);        }}        id="manageable-states-demo"        options={options}        sx={{ width: 300 }}        renderInput={(params) => <TextField {...params} label="Manage State" />}      />    </div>  );}

The code showcases how the values of the AutoComplete component can be controlled and altered in state.

Image statemanagement

The useAutocomplete Hook

Material UI Autocomplete comes with a headless useAutocomplete hook which can serve as an alternative search input to the <Autocomplete /> component. It accepts nearly the same option props as the Autocomplete component without the ones about DOM rendering.

You can import this hook into your React project like this:

import useAutocomplete from '@mui/material/useAutocomplete';

Consider the code below:

import * as React from 'react';import { useAutocomplete } from '@mui/base/AutocompleteUnstyled';import { styled } from '@mui/system';// Styling the <Label /> componentconst Label = styled('label')({  display: 'block',});// Styling the Input componentconst Input = styled('input')(({ theme }) => ({  width: 200,  backgroundColor: theme.palette.mode === 'light' ? '#fff' : '#000',  color: theme.palette.mode === 'light' ? '#000' : '#fff',}));// Styling the <Listbox /> componentconst Listbox = styled('ul')(({ theme }) => ({  width: 200,  margin: 0,  padding: 0,  zIndex: 1,  position: 'absolute',  listStyle: 'none',  backgroundColor: theme.palette.mode === 'light' ? '#fff' : '#000',  border: '1px solid rgba(0,0,0,.5)',  '& li.Mui-focused': {    backgroundColor: '#4a8df6',    color: 'white',    cursor: 'pointer',  },  '& li:active': {    backgroundColor: '#2977f5',    color: 'white',  },}));// Top 5 Nigerian songs on Apple Musicconst top5Songs = [  { label: 'Organise'},  { label: 'Joha'},  { label: 'Terminator'},  { label: 'Dull'},  { label: 'Nzaza'},];// Using the useAutocomplete hook to set up the songs as search options. export default function UseAutocomplete() {  const {    getRootProps,    getInputLabelProps,    getInputProps,    getListboxProps,    getOptionProps,    groupedOptions,  } = useAutocomplete({    id: 'use-autocomplete-demo',    options: top5Songs,    getOptionLabel: (option) => option.label,  });  // Rendering our parameters on the DOM  return (    <div>      <div {...getRootProps()}>        <Label {...getInputLabelProps()}>useAutocomplete</Label>        <Input {...getInputProps()} />      </div>      {groupedOptions.length > 0 ? (        <Listbox {...getListboxProps()}>          {(groupedOptions as typeof top5Songs).map((option, index) => (            <li {...getOptionProps({ option, index })}>{option.label}</li>          ))}        </Listbox>      ) : null}    </div>  );}

The code above showcases a simple use case for the useAutocomplete hook. It helps display songs in an array as search options without using the <Autocomplete /> component.

Heres the result:

Image useAutoComplete

Asynchronous Requests

The <Autocomplete /> component can display search input options with two different asynchronous requests:

Load on open: It waits until the component is interacted with before loading the options. It displays a progress bar when your local network is pending/loading
Search as you type: Each keystroke generates a new request..

Consider the code below:

import React, { useState } from 'react';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';import CircularProgress from '@mui/material/CircularProgress';// Setting the delay functionfunction sleep(delay = 0) {  return new Promise((resolve) => {    setTimeout(resolve, delay);  });}// Top 5 Nigerian songs on Apple Musicconst top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},];// managing stateexport default function Asynchronous() {  const [open, setOpen] = useState(false);  const [options, setOptions] = useState<readonly Film[]>([]);  const loading = open && options.length === 0;  // Setting the logic for the asynchronous function on page reload  React.useEffect(() => {    let active = true;    if (!loading) {      return undefined;    }    (async () => {      await sleep(1e3); // For demo purposes.      if (active) {        setOptions([...top5Songs]);      }    })();    return () => {      active = false;    };  }, [loading]);  React.useEffect(() => {    if (!open) {      setOptions([]);    }  }, [open]);  // Rendering our parameters on the DOM  return (    <Autocomplete      id="asynchronous-demo"      sx={{ width: 300 }}      open={open}      onOpen={() => {        setOpen(true);      }}      onClose={() => {        setOpen(false);      }}      isOptionEqualToValue={(option, value) => option.title === value.title}      getOptionLabel={(option) => option.title}      options={options}      loading={loading}      renderInput={(params) => (        <TextField          {...params}          label="Asynchronous"          InputProps={{            ...params.InputProps,            endAdornment: (              <React.Fragment>                {loading ? <CircularProgress color="inherit" size={20} /> : null}                {params.InputProps.endAdornment}              </React.Fragment>            ),          }}        />      )}    />  );}

The code above showcases an asynchronous DOM display of the MUI Autocomplete component illustrating the Load on open feature.

Image async

Multiple Values

MUI Autocomplete also provides a feature for users to select more than one value. You can do that by calling the multiple prop inside the <Autocomplete /> component. You can also set a default option value like this:

import * as React from 'react';import Autocomplete from '@mui/material/Autocomplete';import TextField from '@mui/material/TextField';import Stack from '@mui/material/Stack';// Top 5 Nigerian songs on Apple Musicconst top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},];export default function Tags() {  return (    <Stack spacing={3} sx={{ width: 300 }}>      <Autocomplete        multiple        id="tags-standard"        options={top5Songs}        getOptionLabel={(option) => option.title}        defaultValue={[top5Songs[2]]}        renderInput={(params) => (          <TextField            {...params}            variant="standard"            label="Multiple values"            placeholder="Favorites"          />        )}      />    </Stack>  );}

Heres the result:

Image multiplevalues

Fixed Options

In a scenario where you want a fixed default tag that cannot be deleted or removed you can set the chips disabled.

Heres how:

import React, { useState } from 'react';import Chip from '@mui/material/Chip';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';// Top 100 films as rated by IMDb users. http://www.imdb.com/chart/topconst movies = [  // An array of movie objects with title as the key and the movie name as the value. ];export default function FixedTags() {  const fixedOptions = [movies[6]];  const [value, setValue] = useState([...fixedOptions, movies[13]]);  return (    <Autocomplete      multiple      id="fixed-options-demo"      value={value}      onChange={(event, newValue) => {        setValue([          ...fixedOptions,          ...newValue.filter((option) => fixedOptions.indexOf(option) === -1),        ]);      }}      options={movies}      getOptionLabel={(option) => option.title}      renderTags={(tagValue, getTagProps) =>        tagValue.map((option, index) => (          <Chip            label={option.title}            {...getTagProps({ index })}            disabled={fixedOptions.indexOf(option) !== -1}          />        ))      }      style={{ width: 500 }}      renderInput={(params) => (        <TextField {...params} label="Fixed tag" placeholder="Movies" />      )}    />  );}

The code above illustrates how you can set a fixed default value on the <AutoComplete component that cannot be deleted or removed.

Heres the result:

Image fixedoptions

Checkboxes

When using the MUI <Autocomplete component, you can choose to use checkboxes as search input option values. This helps you choose your options definitively and makes for a better user experience.

Consider the code below:

import * as React from 'react';import Checkbox from '@mui/material/Checkbox';import TextField from '@mui/material/TextField';import Autocomplete from '@mui/material/Autocomplete';import CheckBoxOutlineBlankIcon from '@mui/icons-material/CheckBoxOutlineBlank';import CheckBoxIcon from '@mui/icons-material/CheckBox';const icon = <CheckBoxOutlineBlankIcon fontSize="small" />;const checkedIcon = <CheckBoxIcon fontSize="small" />;// Top 5 Nigerian songs on Apple Musicconst top5Songs = [  { title: 'Organise'},  { title: 'Joha'},  { title: 'Terminator'},  { title: 'Dull'},  { title: 'Nzaza'},];export default function CheckboxesTags() {  return (    <Autocomplete      multiple      id="checkboxes-tags-demo"      options={top5Songs}      disableCloseOnSelect      getOptionLabel={(option) => option.title}      renderOption={(props, option, { selected }) => (        <li {...props}>          <Checkbox            icon={icon}            checkedIcon={checkedIcon}            checked={selected}          />          {option.title}        </li>      )}      style={{ width: 500 }}      renderInput={(params) => (        <TextField {...params} label="Checkboxes" placeholder="Checkboxes" />      )}    />  );}

Image checkbox

Cloning Googles Home Page UI with Material UI Autocomplete

The majority of products incorporate search inputs into various elements of their web applications. Google's Home page layout illustrates how search inputs might be used in typical real-world application. For the sake of this tutorial, we will use React and MUI Autocomplete to replicate Google's home page layout.

Heres the code:

import React from 'react'import TextField from '@mui/material/TextField';import Stack from '@mui/material/Stack';import Autocomplete from '@mui/material/Autocomplete';import AppsIcon from '@mui/icons-material/Apps';import googleImage from './Images/gmail-image.jpg';import googleLogo from './Images/google-logo.png';// Top 5 Nigerian songs on Apple Music const top5Songs = [    { title: 'Organise'},    { title: 'Joha'},    { title: 'Terminator'},    { title: 'Dull'},    { title: 'Nzaza'},  ];const Home = () => {  const style = {    root: {      width: 600,      color: '#fff',      marginLeft: '25em',    },  }   return (    <>    <main>    <Stack spacing={2} sx={{ width: 300 }}>      <nav>        <p>Gmail</p>        <p>Images</p>        <AppsIcon />        <div>          <img src={googleImage} />        </div>      </nav>      <div id='logo-div'>        <img src={googleLogo} />      </div>      <div id='autocomplete-div'>      <Autocomplete        id='auto-complete'        freeSolo        options={top5Songs.map((option) => option.title)}        style={style.root}        inputProps={{ style: { fontFamily: 'nunito', color: 'white'}}}        renderInput={(params) => <TextField {...params} label="freeSolo" />}      />      </div><article>      <div className='below-input'>Google Search</div>      <div className='below-input'>I'm feeling Lucky</div>      </article>      <footer className='footer'>          <div className='aside1'>            <p>About</p>            <p>Advertising</p>            <p>Business</p>            <p>How Search works</p>          </div>          <div className='aside2'>          <img src="some image" alt="" data-atf="1" data-frt="0"></img>          <p>Carbon Neutral since 2007</p>          </div>          <div className='aside3'>            <p>Privacy</p>            <p>Terms</p>            <p>Settings</p>          </div>      </footer>    </Stack>    </main>    </>  )}export default Home

Heres the result:

Image google


discord banner

MUI Autocomplete Limitations

autocomplete/autofill

Heuristics are built into browsers to assist users in filling out form inputs, but tend to hurt the component's UX. With the autoComplete="off" attribute, the component disables the input autocomplete feature (remembering what the user wrote for a specific field in a previous session). One possible fix is removing the id and letting the component generate one randomly.

In addition to remembering previously entered information, the browser may make autofill suggestions (saved login, address, or username). If you wish to avoid autofill, you can attempt the following:
Name the input without revealing any information that the browser can utilise. id="field1" instead of id="country" If you leave the id field empty, the component generates a random id.
Set autoComplete="new-password". Some browsers will recommend a secure password for inputs with this attribute set.

Conclusion

In this article, we discussed the Material UI Autocomplete component, its 'option' props, functionalities and variations. We then moved on to clone Google's Home page using the Autocomplete component. . Despite its limitations, MUI Autocomplete assists developers in generating a responsive and interactive search input for any web interface. I hope you find this post useful.


Original Link: https://dev.to/refine/material-ui-autocomplete-in-react-1ip6

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To