šŸ“• Build AI Agents using LangGraph.js is now out!

How to add debounce to useEffect() in React

In the case where we want to build a React search box, or autocomplete text input, a debounce function comes very handy as we don't want to have the API called for each keystroke of the user.

So, instead of having something like this:

useEffect(() => {
    doApiCall(query)
}, [query]);

We want to have something like this:

useEffect(() => {
    (doApiCall(query)
}, [waitForTheTypingToStop(query)]);

Below is the full code of one possbile solution:

function debounce(callback, time) {
    let interval;
    return () => {
        clearTimeout(interval)
        interval = setTimeout(() => {
                interval = null
                callback(arguments)
            }, time)
    }
}

const App = ({wait = 1000}) => {
    const [query, setQuery] = useState("abc");
    const ref = useRef();

    const onChange = () => console.log("query = ", query)

    useEffect(() => {
        ref.current = onChange
    }, [onChange]);

    const doCallbackWithDebounce = useMemo(() => {
        const callback = () => ref.current()
        return debounce(callback, wait);
    }, []);

    return (<div>
        <p>Input debounced for {wait} ms:</p>
        <input
            value={query}
            onChange={(e) => {
                doCallbackWithDebounce();
                setQuery(e.target.value);
            }} />
    </div>);
}

It will debounce the action used in useEffect() for a given number of milliseconds thus limiting the number of expensive operations, such as API calls:
screenshot of search debounced component in React

You can checkout the working example here and the full code on my Github.

By the way, if you are interested, I've also written this article on why it's great to use React Strict Mode to double-check for errors when working with useEffect().

šŸ“– Build a full trivia game app with LangChain

Learn by doing with this FREE ebook! This 35-page guide walks you through every step of building your first fully functional AI-powered app using JavaScript and LangChain.js

šŸ“– Build a full trivia game app with LangChain

Learn by doing with this FREE ebook! This 35-page guide walks you through every step of building your first fully functional AI-powered app using JavaScript and LangChain.js


Leave a Reply

Your email address will not be published. Required fields are marked *