useCallback
useCallback
returns a memoized callback.
- it accep
useCallback
allows you to cache an instance of a function between renders.
- by default, all variables (including functions) defined in a component body will be regenerated on each rendering of the component.
useCallback
allows us to say "I know that this function body will not change unless this prop (or state) changes. Therefore, I want to opt-out of the automatic regeneration of the function unless that prop changes."
The purpose of useCallback
is to prevent unnecessarily re-defining functions between component renders, making our code more efficient.
- useMemo "caches" the value, while
useCallback
"caches" the function itself. - In the days of class components, we had a
render()
function. Anything placed inside would get re-calculated on every render, but we also had the option of defining functions as class methods (by putting functions outside ofrender()
). These methods would not get recalculated on each render, and would lead to performance gains. Since functional components naturally call everything (sincerender()
method is implicit), they inherently have a performance issue.useCallback
anduseMemo
exist to alleviate this problem.
You should consider using useCallback and/or useMemo hooks on the following situations:
- Processing large amounts of data
- Working with interactive graphs and charts
- Implementing animations
- Incorporating component lazy loading (
useMemo
specifically)
const additionResult = useCallback(add(firstVal, secondVal), [firstVal, secondVal])
- In this example, the
additionResult
function only gets re-defined if eitherfirstVal
orsecondVal
have changed between those 2 renders.
Example
Imagine we had a function that we passed down to a child component.
const getItems = () => {
return [number, number + 1, number + 2]
}
This can get expensive. Instead we can memoize the callback:
const getItems = useCallback(() => {
return [number, number + 1, number + 2]
}, [number])
Now, the getItems
function:
() => {
return [number, number + 1, number + 2]
}
Only gets redefined when the number
prop changes.
Additional reading
Backlinks