1
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

子コンポーネントのuseStateの初期値にpropsを使う場合

Last updated at Posted at 2022-04-23
App.tsx
const App = () => {
  const [count, setCount] = useState<number>(0);

  return (
    <div>
      <button onClick={() => setCount(count + 1)}>add</button>
      <div>{count}</div>
      <Child count={count} />
    </div>
  );
}

export default App;
Child.tsx
const Child = (props: { count: number }) => {
  const [count, setCount] = useState<number>(props.count);
  return <div>{count}</div>;
}

これでは、親のカウントしか更新されない

react では再レンダリングが起きる条件が

・stateが更新されたときは再レンダリング ・propsが更新されたときは再レンダリング ・親コンポーネントが再レンダリングされたときの子要素は再レンダリング

なので、子コンポーネントにコンソールを仕込んでやると
きちんと再レンダリングされているのがわかる

なぜ、子コンポーネントの count が更新されないかというと

useState()の初期値は一度しかセットされないから

である

Child.tsx
const Child = (props: { count: number }) => {
  const [count, setCount] = useState<number>(props.count);
  useEffect(() => {
    setCount(props.count);
  }, [props.count]);

  return <div>{count}</div>;
}

子コンポーネントの count を更新したいなら、
useEffect を使用するべきである

1
0
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
1
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?