April 14, 2021
If you've ever worked with React function components and the useEffect hook, it's almost impossible that you've never faced this warning:
Warning: Can't perform a React state update on an unmounted component.This is a no-op, but it indicates a memory leak in your application.To fix, cancel all subscriptions and asynchronous tasks in a useEffectcleanup function.
This is the warning I'm referring to as the React memory leak warning because it is very easy to trigger and hard to get rid of if you don't understand what's happening.
There are 4 important concepts here:
Can't perform a React state update
on an unmounted component.
To fix, cancel all subscriptions and asynchronous tasks
in a useEffect cleanup function.
I won't explain what a memory leak is, instead I'll encourage you to read what is my go-to article about memory management in Javascript.
Given the following state initialization:
const [isVisible, setIsVisible] = useState(true);
A state update would be:
setIsVisible(false);
A component is unmounted when it is removed from the DOM. It is the final step of a React component's life cycle.
Asynchronous tasks are callbacks sent to the queue of callbacks of the event loop. They are asynchronous because they won't be executed until some conditions are met.
Any mechanism that can add a callback to the queue of callbacks, thereby deferring its execution until the fulfillment of a condition, can be considered as a subscription:
Promises when fulfilled or rejected
setTimeout
and setInterval
when a certain time has elapsed
Events when the event occurs
I've skipped setImmediate
since it's not a web standard, and I'm simplifying things by referring to a unique queue of callbacks when there's in fact multiple queues with different levels of priority.
someAsyncFunction().then(() => {// Here is the asynchronous task.});
someAsyncFunction()
returns a Promise
we can subscribe to by calling the then()
method with a callback function as the task to execute when someAsyncFunction()
resolves.
setTimeout
handlersetTimeout(() => {// Here is the asynchronous task.});
setTimeout
is usually called with a delay as a second argument, but when left empty, the event handler will be executed as soon as the event loop starts to process the queue of callbacks, but it is still asynchronous and has a significant chance to be executed after the component has been unmounted.
Dimensions.addEventListener('change', ({ screen }) => {// Here is the asynchronous task.});
Subscribing to an event is done by adding an event listener and passing a callback function to the listener.
Until the event listener is removed or the event emitter is destroyed, the callback function will be added to the queue of callbacks on every event occurrence.
In React functional components any side effects such as data fetching or event handling should be done inside a useEffect:
useEffect(() => {someAsyncFunction().then(() => {// Here is an asynchronous task.});Dimensions.addEventListener('change', ({ screen }) => {// There is another asynchronous task.});}, []);
Every effect may return a function that cleans up after it. This function is called when the component is unmounted.
useEffect(() => {return () => {// This is the cleanup function};}, []);
React is telling us to stop trying to update the state of a component that has been deleted.
useEffect(() => {someAsyncFunction().then(() => {setIsVisible(false);});}, []);
Because we've subscribed to a Promise, there's a pending callback, waiting for the Promise to settle, regardless of whether it has been fulfilled or rejected.
If the React component is unmounted before the Promise completion, the pending callback stays in the callback queue anyway.
And once the Promise has settled, it will try to update the state of a component that doesn't exist anymore.
setTimeout
handleruseEffect(() => {setTimeout(() => {setIsVisible(false);}, 5000);}, []);
This code is close to the previous case except that the condition for the callback to be executed is to wait 5000ms.
If the React component is unmounted before this amount of time, it will also try to update the state of a component that doesn't exist anymore.
useEffect(() => {Dimensions.addEventListener('change', ({ screen }) => {setDimensions(screen);});}, []);
Attaching handlers to events is different from the previous cases because events can occur multiple times and therefore can trigger the same callback multiple times.
If the event emitter we've bound an event handler is not destroyed when the React component is unmounted, it still exists and will be executed on every event occurrence.
In the above example, the event handler is bound to a global variable Dimensions
, the event emitter, which exists outside of the scope of the component.
Therefore, the event handler is not unbound or garbage collected when the component is unmounted, and the event emitter might trigger the callback in the future even though the component doesn't exist anymore.
Since it is not possible to cancel a Promise the solution is to prevent the setIsVisible
function to be called if the component has been unmounted.
const [isVisible, setIsVisible] = useState(true);useEffect(() => {let cancel = false;someAsyncFunction().then(() => {if (cancel) return;setIsVisible(false);});return () => {cancel = true;};}, []);
By leveraging lexical scoping, we can share a variable between the callback function and the cleanup function.
We use the cleanup function to modify the cancel
variable and trigger an early return in the callback function to prevent the state update.
setTimeout
handlerTo remove a callback bound to a timer, remove the timer:
useEffect(() => {const timer = setTimeout(() => {setIsVisible(false);});return () => {clearTimeout(timer);};}, []);
To cancel a subscription to an event, remove the event handler:
const onChange = ({ screen }) => {setDimensions(screen);};useEffect(() => {Dimensions.addEventListener('change', onChange);return () => {Dimensions.removeEventListener('change', onChange);};}, []);
Global variables are never garbage collected so don't forget to remove event handlers manually if the event emitter is stored in a global variable.
Remove any event handlers bound to event emitters that might not be removed when a component is unmounted.
Promises cannot be cancelled but you can use lexical scoping to change the behavior of the callback from the useEffect
cleanup function by triggering an early return or short-circuiting the state update.
Try to avoid timers, if you can't, be sure to always cancel them with clearTimeout
or clearInterval
.