DEV Community

Cover image for Why you should avoid using state for computed properties
Prateek Surana
Prateek Surana

Posted on • Originally published at prateeksurana.me

Why you should avoid using state for computed properties

I have often seen many people (including my past self) creating state variables for any kind of value that can change across renders including the ones that can be directly dervied from existing state or props. This pattern can often lead to some nasty and hard to debug state synchronization bugs, which can be easily avoided by computing those properties on the fly instead.

Let's try to understand with an example of what I meant in the above paragraph. Consider this example where we have a form with a field for name, and a submit button, which remains disabled until the user enters a name (A much better way to do this would be using HTML form validation, but don't forget this is a contrived example 😅). Right now, it has two state variables, one for keeping track of the name and the other for error (Try it out on codesandbox) -

function App() {
  const [name, setName] = React.useState("");
  const [hasError, setHasError] = React.useState(true);

  const handleNameChange = (event) => {
    const value = event.target.value;
    setName(value);
    setHasError(value.trim().length < 1);
  };

  return (
    <div className="App">
      <div className="form-item">
        <label>Name:</label>
        <input type="text" value={name} onChange={handleNameChange} />
      </div>
      <button disabled={hasError}>Submit</button>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

Now, this might seem fine at first but imagine if a new requirement comes in, and you need to add a new field to the form, which is also required, so you would now need to update the hasError value there as well to keep the value in sync.

To exemplify the above problem, let's extend our above example by adding a field for age, and let's imagine the age needs to be greater than 18 years. (Try it out on codesandbox)

function App() {
  const [name, setName] = React.useState("");
  const [age, setAge] = React.useState(0);
  const [hasError, setHasError] = React.useState(true);

  const handleErrorUpdate = ({ currentName, currentAge }) => {
    setHasError(currentName.trim().length < 1 
      || currentAge < 18 
      || currentAge > 100);
  };

  const handleNameChange = (event) => {
    const value = event.target.value;
    setName(value);
    handleErrorUpdate({ currentName: value, currentAge: age });
  };

  const handleAgeChange = (event) => {
    const value =
      event.target.value.length > 0 
      ? parseInt(event.target.value, 10) 
      : 0;
    setAge(value);
    handleErrorUpdate({ currentName: name, currentAge: value });
  };

  return (
    <div className="App">
      <div className="form-item">
        <label>Name:</label>
        <input type="text" value={name} onChange={handleNameChange} />
      </div>
      <div className="form-item">
        <label>Age:</label>
        <input type="number" value={age} onChange={handleAgeChange} />
      </div>
      <button disabled={hasError}>Submit</button>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

For the sake of DRY, I have moved the error update logic to a separate function. If we go by this logic, then we would have to call the handleErrorUpdate method every time we add or update a required form field. If we miss updating the error state, it can cause the hasError state to go out of sync and result in hard to debug errors for complex applications.

Now instead of doing it like this, we can calculate the error in a useEffect and set the error state there like this (Try it out on codesandbox) -

React.useEffect(() => {
  setHasError(name.trim().length < 1 || age < 18 || age > 100);
}, [name, age]);
Enter fullscreen mode Exit fullscreen mode

And yes, this does simplify the code by removing the unnecessary code for calling the error handler wherever the relevant state is supposed to be updated. Also, if you're using eslint-plugin-react-hooks (which you should definitely use), it would warn you if you add some new variable to the setHasError logic and don't include it in the dependency array.

But what if there's something even better? As you can see, the hasError state is just being derived from the existing state that we already have in our component. So instead of maintaining a separate state for it, we can calculate it on the fly with every render like this -

const hasError = name.trim().length < 1 || age < 18 || age > 100;
Enter fullscreen mode Exit fullscreen mode

This way, we wouldn't need to worry about hasError getting out of sync by introducing a new dependency. Also, it is a lot easier to understand and saves us an additional render. (Try it out on codesandbox)

One thing you might argue about is performance. Since we calculate this computed state property on every render wouldn't it be less performant than calculating it only when one of the dependent variables changes as we did previously?

The answer is yes, it depends. It could be if it's some computationally expensive calculation and variable that the calculation relies on don't change that often with every render, but guess what the React.useMemo hook is built exactly for these kinds of situations.

Although for most cases like the example we are working on, using React.useMemo would be a case of premature optimization because the variables depend on all the variables that cause a re-render, and it's not that expensive. You can also check out my article on when you should memoize if you are interested in exploring this topic further.

What about derived state from props?

For props as well, you can rely on the same pattern of directly deriving the desired values from props as we discussed in the previous section and avoid managing the state internally to steer clear of any state synchronization problems. So for our previous example, if the name and age values were provided via props from the parent component, our implementation for hasError would have remained the same.

function App ({ name, age }) {
  ...
  const hasError = name.trim().length < 1 || age < 18 || age > 100;
  ...
} 
Enter fullscreen mode Exit fullscreen mode

Although there are some edge cases where you need the props just for initial values and then manage them via some state internally.

Let's try to understand when you might run into a situation like this, with an example from this issue on the React repo asking the same question.

In this example, we have a list of items and every item has an edit button next to it, clicking on which opens an editor on the side where the user can edit the item properties and can save or cancel the updates. Currently, the item properties are passed as props to the editor component, which it then uses as initial values for its internal state, which handles the editor inputs.

This is what the code for the Editable list looks like -

import React, { useState } from "react";

const StatefulEditor = (props) => {
  const [name, setName] = useState(props.item.name);
  const [description, setDescription] = useState(props.item.description);

  return (
    <div className="editor">
      <input
        type="text"
        value={name}
        onChange={(e) => setName(e.target.value)}
      />
      <input
        type="text"
        value={description}
        onChange={(e) => setDescription(e.target.value)}
      />
      <div className="button-container">
        <button
          onClick={() =>
            props.onConfirm({ id: props.item.id, name, description })
          }
        >
          Ok
        </button>
        <button onClick={props.onCancel}>Cancel</button>
      </div>
    </div>
  );
};

const EditableList = (props) => {
  const [itemUnderEdit, setItemUnderEdit] = useState(null);

  const closeEditor = () => setItemUnderEdit(null);
  const saveChangedItem = (itemToSave) => {
    props.handleItemUpdate(itemToSave);
    closeEditor();
  };

  return (
    <div className="editable-list">
      <div>
        {props.items.map((item) => (
          <div key={item.id}>
            {item.name}
            <button onClick={() => setItemUnderEdit(item)}>Edit</button>
          </div>
        ))}
      </div>
      {itemUnderEdit && (
        <StatefulEditor
          item={itemUnderEdit}
          onConfirm={saveChangedItem}
          onCancel={closeEditor}
        />
      )}
    </div>
  );
};

export default EditableList;
Enter fullscreen mode Exit fullscreen mode

If you click on 'Ok' or 'Cancel' to close the editor after editing an item and then opening another item, this seems to be working fine. But try clicking on the edit button for any other item without closing the editor. You will notice the problem with this approach. The values in the editor remain the same even though the props have changed.

So why does this happen? It is because the state only gets initialized during the initial component mount, and even though the change in props cause a re-render, our useState cannot be re-initialized. This is one of the reasons why the React docs recommend avoiding this pattern.

But for our case, we have to rely on this pattern, so what can we do to keep the state and props in sync for this case?

Well, as it turns out, there are a few ways of fixing it. One is that you can add a key prop with the value as the id of your item to the Editor component. This would cause React to unmount the previous instance of the component and remount it causing our state to be initialized again whenever the props, i.e. the key with item id, change.

...
        <StatefulEditor
          key={item.id}
          item={itemUnderEdit}
          onConfirm={saveChangedItem}
          onCancel={closeEditor}
        />
...
Enter fullscreen mode Exit fullscreen mode

This should suffice for most situations. If your component tree is expensive, then the above method can slightly affect performance because your component gets unmounted and remounted again. So what the React docs recommend is that you update the state during rendering, and React will re-run the component with updated state immediately after the current render. So in our case, this is what it would look like this -

const StatefulEditor = (props) => {
  const [name, setName] = useState(props.item.name);
  const [description, setDescription] = useState(props.item.description);
  const [id, setId] = useState(props.item.id);

  if (props.item.id !== id) {
    setName(props.item.name);
    setId(props.item.id);
    setDescription(props.item.description);
  }

  return (
    ...
  )
}
Enter fullscreen mode Exit fullscreen mode

Here is the sandbox with the above fix, and if you check again you'll see that the issue is gone now -

Since this is a contrived example, it doesn't look great. In a real-world scenario, you might want to use useReducer if you have too many individual states to manage like this.

Conclusion

So I hope this article helped you understand why creating state variables for computed properties is not a good idea and how you can compute them on the fly instead and optimize via useMemo if needed. We also saw how you could sync state with props in some edge cases where you don't have any other reasonable option. You can also check out this article by Kent C. Dodd's, which talks about the same topic, with some additional thoughts on how you can handle it in other libraries as well.

Also, let me know in the comments section below if I have missed something or if you have better alternative ideas for the examples I used in this article.

Top comments (0)