在 setInterval 中使用 React 状态挂钩时状态不更新

IT技术 javascript reactjs react-hooks
2021-01-11 18:55:27

我正在尝试新的React Hooks并有一个带有计数器的 Clock 组件,该组件应该每秒增加一次。但是,该值不会增加超过 1。

function Clock() {
  const [time, setTime] = React.useState(0);
  React.useEffect(() => {
    const timer = window.setInterval(() => {
      setTime(time + 1);
    }, 1000);
    return () => {
      window.clearInterval(timer);
    };
  }, []);

  return (
    <div>Seconds: {time}</div>
  );
}

ReactDOM.render(<Clock />, document.querySelector('#app'));
<script src="https://unpkg.com/react@16.7.0-alpha.0/umd/react.development.js"></script>
<script src="https://unpkg.com/react-dom@16.7.0-alpha.0/umd/react-dom.development.js"></script>

<div id="app"></div>

6个回答

原因是因为传入setInterval的闭包的回调只访问time第一次渲染中变量,它无法访问time后续渲染中的新值,因为useEffect()第二次没有调用 。

timesetInterval回调中始终具有 0 值

就像setState你所熟悉的那样,状态钩子有两种形式:一种是接收更新状态的形式,另一种是传入当前状态的回调形式。你应该使用第二种形式并在setState回调中读取最新的状态值在增加它之前确保你有最新的状态值。

奖励:替代方法

Dan AbramovsetInterval在他的博文中深入探讨了有关使用钩子的主题,并提供了解决此问题的替代方法。强烈推荐阅读!

function Clock() {
  const [time, setTime] = React.useState(0);
  React.useEffect(() => {
    const timer = window.setInterval(() => {
      setTime(prevTime => prevTime + 1); // <-- Change this line!
    }, 1000);
    return () => {
      window.clearInterval(timer);
    };
  }, []);

  return (
    <div>Seconds: {time}</div>
  );
}

ReactDOM.render(<Clock />, document.querySelector('#app'));
<script src="https://unpkg.com/react@16.7.0-alpha.0/umd/react.development.js"></script>
<script src="https://unpkg.com/react-dom@16.7.0-alpha.0/umd/react-dom.development.js"></script>

<div id="app"></div>

如果您想在 setInterval 函数中使用 console.log 定期输出当前状态,会是什么样子?
2021-03-23 18:55:27
我想读取时间(在 setInterval 中)并在大于某个时间时更新。如何做到这一点?
2021-03-28 18:55:27
@YangshunTay 如果我只想在 setInterval 中读取状态值,我该怎么做?
2021-04-01 18:55:27
@neosarchizo“如果你只是想阅读它,你可以阅读更新后的值作为底部渲染的一部分。” 没看懂能不能详细点
2021-04-01 18:55:27
@neosarchizo 你读过丹的帖子吗?overreacted.io/making-setinterval-declarative-with-react-hooks如果你只是想读取它,你可以读取更新的值作为底部渲染的一部分。如果要触发副作用,可以添加一个useEffect()钩子并将该状态添加到依赖项数组中。
2021-04-08 18:55:27

正如其他人所指出的,问题是useState只调用一次 (as deps = []) 来设置间隔:

React.useEffect(() => {
    const timer = window.setInterval(() => {
        setTime(time + 1);
    }, 1000);

    return () => window.clearInterval(timer);
}, []);

然后,每次setInterval滴答时,它实际上会调用setTime(time + 1),但time将始终保持setInterval定义回调(闭包)时的初始值

您可以使用useState's setter的替代形式并提供回调而不是您要设置的实际值(就像 with setState):

setTime(prevTime => prevTime + 1);

但我鼓励您创建自己的useInterval钩子,以便您可以通过setInterval 声明式使用来 DRY 和简化代码,正如 Dan Abramov 在使用 React Hooks 制作 setInterval 声明式中所建议的那样

function useInterval(callback, delay) {
  const intervalRef = React.useRef();
  const callbackRef = React.useRef(callback);

  // Remember the latest callback:
  //
  // Without this, if you change the callback, when setInterval ticks again, it
  // will still call your old callback.
  //
  // If you add `callback` to useEffect's deps, it will work fine but the
  // interval will be reset.

  React.useEffect(() => {
    callbackRef.current = callback;
  }, [callback]);

  // Set up the interval:

  React.useEffect(() => {
    if (typeof delay === 'number') {
      intervalRef.current = window.setInterval(() => callbackRef.current(), delay);

      // Clear interval if the components is unmounted or the delay changes:
      return () => window.clearInterval(intervalRef.current);
    }
  }, [delay]);
  
  // Returns a ref to the interval ID in case you want to clear it manually:
  return intervalRef;
}


const Clock = () => {
  const [time, setTime] = React.useState(0);
  const [isPaused, setPaused] = React.useState(false);
        
  const intervalRef = useInterval(() => {
    if (time < 10) {
      setTime(time + 1);
    } else {
      window.clearInterval(intervalRef.current);
    }
  }, isPaused ? null : 1000);

  return (<React.Fragment>
    <button onClick={ () => setPaused(prevIsPaused => !prevIsPaused) } disabled={ time === 10 }>
        { isPaused ? 'RESUME ⏳' : 'PAUSE 🚧' }
    </button>

    <p>{ time.toString().padStart(2, '0') }/10 sec.</p>
    <p>setInterval { time === 10 ? 'stopped.' : 'running...' }</p>
  </React.Fragment>);
}

ReactDOM.render(<Clock />, document.querySelector('#app'));
body,
button {
  font-family: monospace;
}

body, p {
  margin: 0;
}

p + p {
  margin-top: 8px;
}

#app {
  display: flex;
  flex-direction: column;
  align-items: center;
  min-height: 100vh;
}

button {
  margin: 32px 0;
  padding: 8px;
  border: 2px solid black;
  background: transparent;
  cursor: pointer;
  border-radius: 2px;
}
<script src="https://unpkg.com/react@16.7.0-alpha.0/umd/react.development.js"></script>
<script src="https://unpkg.com/react-dom@16.7.0-alpha.0/umd/react-dom.development.js"></script>

<div id="app"></div>

除了生成更简单和更清晰的代码之外,这还允许您通过简单地传递自动暂停(和清除)间隔delay = null并返回间隔 ID,以防您想手动取消它(这在 Dan 的帖子中没有涉及)。

实际上,这也可以改进,以便它在未delay暂停时不会重新启动,但我想对于大多数用例来说这已经足够了。

如果您正在为setTimeout而不是寻找类似的答案setInterval,请查看:https : //stackoverflow.com/a/59274757/3723993

您还可以找到的声明版本setTimeoutsetIntervaluseTimeoutuseInterval以书面的typescript一些额外的钩https://www.npmjs.com/package/@swyg/corre

useEffect 当提供空输入列表时,函数仅在组件安装时评估一次。

另一种方法setInterval是在setTimeout每次更新状态时设置新的时间间隔

  const [time, setTime] = React.useState(0);
  React.useEffect(() => {
    const timer = setTimeout(() => {
      setTime(time + 1);
    }, 1000);
    return () => {
      clearTimeout(timer);
    };
  }, [time]);

的性能影响setTimeout微不足道,一般可以忽略。除非组件是时间敏感到新设置的超时引起不希望的效应的点,都setIntervalsetTimeout方法是可以接受的。

useRef 可以解决这个问题,这里有一个类似的组件,每 1000ms 增加一次计数器

import { useState, useEffect, useRef } from "react";

export default function App() {
  const initalState = 0;
  const [count, setCount] = useState(initalState);
  const counterRef = useRef(initalState);

  useEffect(() => {
    counterRef.current = count;
  })

  useEffect(() => {
    setInterval(() => {
      setCount(counterRef.current + 1);
    }, 1000);
  }, []);

  return (
    <div className="App">
      <h1>The current count is:</h1>
      <h2>{count}</h2>
    </div>
  );
}

我认为这篇文章将帮助你使用间隔来做react-hooks

另一种解决方案是使用useReducer,因为它将始终传递当前状态。

function Clock() {
  const [time, dispatch] = React.useReducer((state = 0, action) => {
    if (action.type === 'add') return state + 1
    return state
  });
  React.useEffect(() => {
    const timer = window.setInterval(() => {
      dispatch({ type: 'add' });
    }, 1000);
    return () => {
      window.clearInterval(timer);
    };
  }, []);

  return (
    <div>Seconds: {time}</div>
  );
}

ReactDOM.render(<Clock />, document.querySelector('#app'));
<script src="https://unpkg.com/react@16.7.0-alpha.0/umd/react.development.js"></script>
<script src="https://unpkg.com/react-dom@16.7.0-alpha.0/umd/react-dom.development.js"></script>

<div id="app"></div>

为什么useEffect这里被多次调用以更新时间,而依赖项数组是空的,这意味着useEffect应该只在组件/应用程序第一次渲染时调用?
2021-03-15 18:55:27
@BlackMath 内部的函数useEffect仅在组件首次渲染时调用一次。但在它里面,有一个setInterval负责定期更改时间。建议你多看一下setInterval看完之后应该就清楚了!developer.mozilla.org/en-US/docs/Web/API/...
2021-03-21 18:55:27