Understanding useState in React.js: A Beginner’s Guide

useState in React
This article explains how useState in React makes state management easier for functional components while showing readers how to prevent typical mistakes made by beginners.

The JavaScript library React.js serves as a leading choice for creating dynamic applications which run in web environments. State management stands as one of the essential features which makes React successful as a developer tool. This article explores the fundamental hook useState which people use most often in React development. The article explains how useState works as well as the standard problems beginners experience and potential variations between functional and class components.

If you are new to ReactJs, you can read my Introduction to React.js: A Step-by-Step Guide for Beginners for more understanding.

What is useState in React?

Functional components gain state management functionality with the built-in hook useState. State management remained possible only in class components before hooks arrived. The state management feature of useState enables functional components to store their own values which enhances their functionality and usability.

Syntax of useState

				
					import React, { useState } from 'react';

function ExampleComponent() {
  const [count, setCount] = useState(0); // Declare a state variable 'count' initialized to 0

  return (
    <div>
      <p>Count: {count}</p>
      <button onClick={() => setCount(count + 1)}>Increase</button>
    </div>
  );
}

export default ExampleComponent;

				
			

Breakdown of useState

  • When using useState you will receive an array consisting of both elements:
    1. The current state value (count in this case).
    2. The function setCount updates state values.
  • The initial value assigned to the state variable is set at 0.
  • A click on the button will invoke setCount to update the state which leads to re-rendering the component.

Common Errors Beginners Face with useState

Not Importing useState

The frequent mistake made by developers occurs when they do not import the useState function from React.

Error:

				
					function App() {
  const [count, setCount] = useState(0); // Error: useState is not defined
  return <div>{count}</div>;
}

				
			

The first step to solve this issue is to import useState from the beginning of your code file.

				
					import React, { useState } from 'react';
				
			

Directly Modifying the State Variable

The proper method to modify state values is through the setCount setter function. Only setting state variables through their setter functions leads to component re-rendering.

Incorrect:

				
					count = count + 1; // Won't work
				
			

Correct:

				
					setCount(count + 1); // Correct way to update state
				
			

Using Previous State Incorrectly
New state dependencies on prior state require the usage of the function form of setState.

Incorrect:

				
					setCount(count + 1);
setCount(count + 1); // This will not increment twice as expected

				
			

Correct:

				
					setCount(prevCount => prevCount + 1);
setCount(prevCount => prevCount + 1); // This correctly increments twice

				
			

Forgetting Initial State Value

A missing initial value parameter when using useState could lead to various problems.

Incorrect:

				
					const [count, setCount] = useState();
console.log(count); // Undefined

				
			

Correct:

				
					const [count, setCount] = useState(0);
				
			

Updating State in a Loop or Rendering Phase

Using state-modification within rendering functions or loops can trigger an infinite re-render.

Incorrect:

				
					function Example() {
  const [count, setCount] = useState(0);
  setCount(count + 1); // This will cause an infinite loop
  return <p>Count: {count}</p>;
}

				
			

Correct: State updates always occur within event handlers along with effect hooks.

				
					<button onClick={() => setCount(count + 1)}>Increase</button>
				
			

useState in Function vs Class Components

Using useState in Function Components

State did not exist in React Hooks until class components became available. Hooks have added state functionality to functional components that use to be exclusive to class components.

				
					import React, { useState } from 'react';

function Counter() {
  const [count, setCount] = useState(0);

  return (
    <div>
      <p>Count: {count}</p>
      <button onClick={() => setCount(count + 1)}>Increment</button>
    </div>
  );
}

				
			

Using State in Class Components

Inside class components, the state management happens through the this.state syntax together with the this.setState syntax for updates.

				
					import React, { Component } from 'react';

class CounterClass extends Component {
  constructor(props) {
    super(props);
    this.state = { count: 0 };
  }

  increment = () => {
    this.setState({ count: this.state.count + 1 });
  };

  render() {
    return (
      <div>
        <p>Count: {this.state.count}</p>
        <button onClick={this.increment}>Increment</button>
      </div>
    );
  }
}

				
			

Differences Between useState and Class Component State

FeatureFunction Component (useState)Class Component (this.state)
SyntaxuseState Hookthis.state in constructor
UpdatessetState(value)this.setState({ key: value })
ReadabilityMore conciseMore verbose
LifecycleWorks with hooks like useEffectUses lifecycle methods

Conclusion

The useState hook enables functional components to manage state management efficiently through an intuitive solution. Beginners need to handle three main pitfalls in useState usage because the hook makes code significantly easier than traditional class components.

Knowledge of useState hook enables the development of more effective and long-lasting React applications.

You can also read What Is MERN Stack? Become a Full-Stack Developer Roadmap.

Author

Related tags on EverSoft

Table of Contents

Read Some Blogs