React Hooks: Gotta Hook ’Em All

Unless you have been living under a rock, you definitely heard of Hooks.

These Hooks?

Since this is a tech article, let’s stick to React Hooks only and keep the fishing for later.

The introduction of Hooks in React 16.8.0 was initially met …


This content originally appeared on DEV Community and was authored by Tapajyoti Bose

Unless you have been living under a rock, you definitely heard of Hooks.

fishing hook

These Hooks?

face palm

Since this is a tech article, let’s stick to React Hooks only and keep the fishing for later.

react hooks

The introduction of Hooks in React 16.8.0 was initially met with a dose of skepticism. The developers soon found it an outstanding addition that allowed for a much more declarative and efficient solution to writing code.

Currently, two years later, Hooks have become a standard part of the React ecosystem, and there is a push to use Hooks over Class Components.

How Hooks Replace Class Components

The primary purpose of using the Class Component was to obtain access to the state and the life cycle methods, which were unavailable in the Functional Components. Hooks allows the use of these features in the Functional Components , without using the less performant Class Component counterparts.

Let’s look at the Hooks that ship with React. It is assumed that you are familiar with the basics of React

useState

The useState Hook is used to create a state variable.

The syntax is const [<varName>, set<varName>] = useState(initialState).

function Counter() {
  const [count, setCount] = useState(0);
  return (
    <div>
      <h2>{count}</h2>
        <button
          onClick={() => setCount(count + 1)}
        >
          Increment
        </button>
    </div>
  );
}

We can use the setCount function to update the state of the count variable. Just compare it to the Class Component counterpart:

class Counter extends React.Component {
  state = {
    count: 0,
  };

  render() {
    return (
      <div>
        <h2>{this.state.count}</h2>
        <button
          onClick={() => this.setState({
            count: this.state.count + 1 
          })}
        >
          Increment
        </button>
      </div>
    );
  }
}

Not only does Functional Components are more performant, but they are also easier to read and understand.

useEffect

useEffect is another standard Hook. Its principal purpose is to execute life cycle methods in a Functional Component.

Let’s explore the life cycle methods you can replace:

componentDidMount

componentDidMount runs when the component is mounted. It is typically used to fetch data through API calls and update the state. The Hook alternative is:

useEffect(() => {
  // execute when component is mounted
}, []);

componentDidUpdate

componentDidUpdate runs when a piece of state or prop data is updated. It is used to update associated data once a piece of data is updated. The Hook alternative is:

useEffect(() => {
  // execute when `count` is updated
}, [count]);

You can also omit the dependency array ([count] in this case) if you only want to run the useEffect callback run on every render.

componentWillUnmount

componentWillUnmount runs before the component is unmounted. It is used as a clean-up function, with the primary focus on removing timers or listeners

The Hook alternative is:

useEffect(() => {
  return () => {
    // execute when component will be unmounted
  };
}, []);

useContext

The useContext Hook allows you to access the context, the state management solution that ships with React. The syntax is const <varName> = useContext(<Context>).

function Counter() {
  const { count, setCount } = useContext(CounterContext);
  return (
    <div>
      <h2>{count}</h2>
      <button
        onClick={() => setCount(count + 1)}
      >
        Increment
      </button>
    </div>
  );
}

NOTE: The Component needs to be wrapped in a Context.Provider Component as it looks up the React Virtual DOM for the Context

useRef

useRef is a Hook that allows you to store a variable that persists between the re-renders.

The main difference between a state and ref variables is when a state variable is updated, the UI is re-rendered, whereas, it does not do the same for a ref. It is generally used to store a reference to DOM elements.

The syntax is const <varName> = useRef(initialValue) and the value is accessible through the current property.

function FancyDiv() {
  const div = useRef();

  const handleClick = () => {
    // `div.current` is a reference to the DOM element
    div.current.style.color = "red";
  };

  return (
    <>
      <div ref={div}>
        {/* ... */}
      </div>
      <button onClick={handleClick}>Click me</button>
    </>
  );
}

useCallback

useCallback is a Hook that allows you to memorize (an optimization practice in Computer Science) a function. It is useful when you want to prevent unnecessary renders.

The syntax is const <varName> = useCallback(<function>, [<dependencies>]);

function Component() {
   const memoizedCallback = useCallback(() => {
      doSomething(a, b);
   }, [a, b]);

   return (
      /* ... */
   );
}

useMemo

useMemo is a Hook that allows you to memoize any value. Just like useCallback, it is beneficial to prevent unnecessary renders. It is generally used to memoize expensive computations.

The syntax is const <varName> = useMemo(<function>, [<dependencies>]);

function Component() {
   const memoizedValue = useMemo(() => {
      return computeExpensiveValue(a, b);
   }, [a, b]);

   return (
      /* ... */
   );
}

useReducer

useReducer is a Hook that allows you to manage the state of a component. It serves the same purpose as the useState Hook , but it follows the Redux pattern to manage & update the state.

The syntax is const [<varName>, dispatch] = useReducer(<reducer>, initialState);

const initialState = { count: 0 };

function reducer(state, action) {
  switch (action.type) {
    case "increment":
      return { count: state.count + 1 };
    default:
      throw new Error();
  }
}

function Counter() {
  const [state, dispatch] = useReducer(reducer, initialState);
  return (
    <div>
      <h2>{state.count}</h2>
      <button
        onClick={() => dispatch({ type: "increment" })}
      >
        Increment
      </button>
    </div>
  );
}

Custom Hooks

React also allows developers to create their own Hooks from scratch.

Let’s create a custom Hook called useFetch, which will fetch data from an API and return it along with loading & error states.

function useFetch(url) {
  const [data, setData] = useState(null);
  const [loading, setLoading] = useState(true);
  const [error, setError] = useState(null);

  useEffect(() => {
    (async () => {
      setLoading(true);
      try {
        const response = await fetch(url);
        const jsonData = await response.json();
        setData(jsonData);
      } catch {
        setError(error);
      }
      setLoading(false);
    })();
  }, [url]);

  return { data, loading, error };
}

Wrapping Up

In this article, we went through one of the core concepts of React.

Recently, we have been seeing a push towards using Hooks over the traditional Class based approach. So, you can’t go wrong mastering Hooks , specifically, as all libraries now ship with Hooks-based solutions.

Happy Coding!

thumbs-up

Thanks for reading

Need a Top Rated Front-End Development Freelancer to chop away your development woes? Contact me on Upwork

Want to see what I am working on? Check out my Personal Website and GitHub

Want to connect? Reach out to me on LinkedIn

I am a freelancer who will start off as a Digital Nomad in mid-2022. Want to catch the journey? Follow me on Instagram

Follow my blogs for Weekly new Tidbits on Dev

FAQ

These are a few commonly asked questions I get. So, I hope this FAQ section solves your issues.

  1. I am a beginner, how should I learn Front-End Web Dev?
    Look into the following articles:

    1. Front End Development Roadmap
    2. Front End Project Ideas
  2. Would you mentor me?

    Sorry, I am already under a lot of workload and would not have the time to mentor anyone.


This content originally appeared on DEV Community and was authored by Tapajyoti Bose


Print Share Comment Cite Upload Translate Updates
APA

Tapajyoti Bose | Sciencx (2022-01-30T04:50:38+00:00) React Hooks: Gotta Hook ’Em All. Retrieved from https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/

MLA
" » React Hooks: Gotta Hook ’Em All." Tapajyoti Bose | Sciencx - Sunday January 30, 2022, https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/
HARVARD
Tapajyoti Bose | Sciencx Sunday January 30, 2022 » React Hooks: Gotta Hook ’Em All., viewed ,<https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/>
VANCOUVER
Tapajyoti Bose | Sciencx - » React Hooks: Gotta Hook ’Em All. [Internet]. [Accessed ]. Available from: https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/
CHICAGO
" » React Hooks: Gotta Hook ’Em All." Tapajyoti Bose | Sciencx - Accessed . https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/
IEEE
" » React Hooks: Gotta Hook ’Em All." Tapajyoti Bose | Sciencx [Online]. Available: https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/. [Accessed: ]
rf:citation
» React Hooks: Gotta Hook ’Em All | Tapajyoti Bose | Sciencx | https://www.scien.cx/2022/01/30/react-hooks-gotta-hook-em-all/ |

Please log in to upload a file.




There are no updates yet.
Click the Upload button above to add an update.

You must be logged in to translate posts. Please log in or register.