Debounce Function in TypeScript

Prevents a function from being called multiple times in quick succession. Useful for search bars, button clicks, and API requests.

TypeScript
david

13 weeks ago

function debounce<T extends (...args: any[]) => void>(
  func: T,
  wait: number
): (...args: Parameters<T>) => void {
  let timeout: ReturnType<typeof setTimeout> | null = null;

  return (...args: Parameters<T>) => {
    if (timeout) clearTimeout(timeout);

    timeout = setTimeout(() => {
      func(...args);
    }, wait);
  };
}
0