In React, useState is a hook that allows functional components to manage and update state in a manner similar to class components.
When you use the useState hook, it returns an array with two values: the current state value and a function to update that state
value.
Destructuring these values and naming them symmetrically (i.e., using consistent variable names for both the current state and the update function) is a recommended best practice:
useState function call.
import { useState } from 'react';
function MyComponent() {
const [count, update] = useState(0); // Noncompliant
return <div onClick={() => update(count + 1)}>{count}</div>
}
You should destructure the return value of useState calls in terms of the current state and a function to update that state and name
them symmetrically.
import { useState } from 'react';
function MyComponent() {
const [count, setCount] = useState(0);
return <div onClick={() => setCount(count + 1)}>{count}</div>
}