Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

React search using debounce

I am trying to implement a search that makes a new query on each character change. After n milliseconds, I need to make a change to the object that stores some properties.

//user typing
const onInputChange = (e) => {
    let searchInput = e.target.value;

    useDebounce(
        handleSearchPropsChange({
            filter: {
                searchInput,
                dateRange: {
                    start,
                    end
                }
            }
        }), 1000
    );
}

The function I am using for the delayed call

import {debounce} from 'lodash';
import {useRef} from 'react';

export function useDebounce(callback = () => {}, time = 500) {
    return useRef(debounce(callback, time)).current;
}

But I am getting the error:

Invalid hook call. Hooks can only be called inside of the body of a function component. This 
could happen for one of the following reasons:
1. You might have mismatching versions of React and the renderer (such as React DOM)
2. You might be breaking the Rules of Hooks
3. You might have more than one copy of React in the same app
like image 218
hernesupp Avatar asked Oct 19 '25 17:10

hernesupp


1 Answers

A example without lodash, just Hooks.

UseDebounce.js

import { useEffect, useCallback } from 'react';

export default function useDebounce(effect, dependencies, delay) {
  const callback = useCallback(effect, dependencies);

  useEffect(() => {
    const timeout = setTimeout(callback, delay);
    return () => clearTimeout(timeout);
  }, [callback, delay]);
}

App.js

import React, { useState } from 'react';

import useDebounce from './useDebounce';
import data from './data';

export default function App() {
  const [search, setSearch] = useState('');
  const [filteredTitle, setFilteredTitle] = useState([]);

  // DeBounce Function
  useDebounce(() => {
      setFilteredTitle(
        data.filter((d) => d.title.toLowerCase().includes(search.toLowerCase()))
      );
    }, [data, search], 800
  );

  const handleSearch = (e) => setSearch(e.target.value);

  return (
    <>
      <input
        id="search"
        type="text"
        spellCheck="false"
        placeholder="Search a Title"
        value={search || ''}
        onChange={handleSearch}
      />
      <div>
        {filteredTitle.map((f) => (
          <p key={f.id}>{f.title}</p>
        ))}
      </div>
    </>
  );
}

Demo : Stackblitz

like image 183
MB_ Avatar answered Oct 22 '25 07:10

MB_



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!