/** * useDebounce Hook * * Debounces a value by a specified delay. * Useful for search inputs and other user input that triggers API calls. */ 'use client'; import { useState, useEffect } from 'react'; /** * Hook that debounces a value * * @param value - The value to debounce * @param delay - Delay in milliseconds * @returns The debounced value * * @example * ```tsx * const [searchQuery, setSearchQuery] = useState(''); * const debouncedSearch = useDebounce(searchQuery, 300); * * // Use debouncedSearch for API calls * useEffect(() => { * fetchResults(debouncedSearch); * }, [debouncedSearch]); * ``` */ export function useDebounce(value: T, delay: number): T { const [debouncedValue, setDebouncedValue] = useState(value); useEffect(() => { // Set up the timeout const timeoutId = setTimeout(() => { setDebouncedValue(value); }, delay); // Clean up on value change or unmount return () => { clearTimeout(timeoutId); }; }, [value, delay]); return debouncedValue; }