Test Driving the useEffect Hook
Learn about creating practical applications in React with useEffect hook, addressing common challenges and best practices for effective usage.
We'll cover the following...
Delving into the useEffect hook
The effect callback is defined in the useEffect hook's first input argument:
function Title() {useEffect(() => {window.title = ""; // Setting the window title to an empty string});}
JavaScript ES6 syntax and closures in useEffect hook
The most common way of using the () => {}. One of the interesting facts about this effect function is that, thanks to JavaScript
function Title({ text }) {const a = 2;useEffect(() => {console.log(a); // Logging the value of 'a'console.log(text); // Logging the value of the 'text' prop});}
The create callback function in the preceding code references both the a variable and textWithout the JavaScript closure, both variables would have to be passed into the inline function explicitly through the input arguments.
Managing state changes with useEffect hook
Another interesting fact about the useEffect hook is that the effect is a callback where it's quite common to see an effect involving a state changed inside. Let's take a look at one example:
Let's say we have a Title component that gets a text prop. Inside, it has a button. When this gets clicked, it can increment a count state. Initially, the ...