23 lines
512 B
TypeScript
23 lines
512 B
TypeScript
/**
|
|
* @param fn - The function to debounce
|
|
* @param delay - The delay in milliseconds
|
|
* @returns A debounced version of the function
|
|
*/
|
|
export function debounce<T extends (...args: Parameters<T>) => void>(
|
|
fn: T,
|
|
delay: number
|
|
): (...args: Parameters<T>) => void {
|
|
let timeoutId: ReturnType<typeof setTimeout> | null = null;
|
|
|
|
return (...args: Parameters<T>) => {
|
|
if (timeoutId) {
|
|
clearTimeout(timeoutId);
|
|
}
|
|
|
|
timeoutId = setTimeout(() => {
|
|
fn(...args);
|
|
timeoutId = null;
|
|
}, delay);
|
|
};
|
|
}
|