Optimizing User Experience: A Guide to Throttling in React Applications
Throttling is a technique often used in JavaScript to limit the rate at which a function can be called. This can be useful in a variety of situations, such as when dealing with events that may be triggered many times in a short period, or when making requests to a server that should not be sent too frequently.
function throttle(func, delay) {
let shouldRun = true;
return function () {
if (shouldRun) {
func.apply(this, arguments);
shouldRun = false;
setTimeout(() => {
shouldRun = true;
}, delay);
}
};
}
// Example usage:
const throttledFunction = throttle(() => {
console.log('Throttled function is executed.');
}, 1000);
// Trigger the throttled function multiple times
setInterval(throttledFunction, 200);
In this example, the throttle function takes two parameters: the function to be throttled (func) and the time interval in milliseconds (delay). It returns a new function that can only be invoked once within the specified time interval. Subsequent invocations within the interval are ignored until the interval has elapsed.
领英推荐
import { useCallback, useEffect, useRef } from 'react';
function App() {
const timeOutIdRef = useRef<number | undefined>(undefined);
// Throttle function creation
const throttlefunc = useCallback((fn: () => void, delay: number) => {
let shouldFire = true;
return function () {
if (shouldFire) {
fn();
shouldFire = false;
// Set timeout to reset shouldFire after the specified delay
timeOutIdRef.current = setTimeout(() => {
shouldFire = true;
}, delay);
}
};
}, []);
// Function to be throttled
const handleTrigger = (): void => {
console.log('Throttle is working');
};
// Throttle the function
const handleThrottle = throttlefunc(handleTrigger, 1000);
// Cleanup to clear timeout when component unmounts
useEffect(() => {
return () => {
if (timeOutIdRef.current !== undefined) {
clearTimeout(timeOutIdRef.current);
}
};
}, [handleThrottle]);
return (
<>
<h2>Throttling Example</h2>
<button onClick={handleThrottle} style={{ cursor: 'pointer' }}>
ThrottleButton
</button>
</>
);
}
export default App;
Explanation: