正如其他人指出的那样,问题在于useState
仅调用一次(因为它deps = []
设置了间隔:
React.useEffect(() => {
const timer = window.setInterval(() => {
setTime(time + 1);
}, 1000);
return () => window.clearInterval(timer);
}, []);
然后,每次setInterval
打勾时,它实际上都会调用setTime(time + 1)
,但time
始终保留当setInterval
定义回调(关闭)。
您可以使用替代形式useState
的setter并提供一个回调函数,而不是要设置的实际值(就像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);
React.useEffect(() => {
callbackRef.current = callback;
}, [callback]);
React.useEffect(() => {
if (typeof delay === 'number') {
intervalRef.current = window.setInterval(() => callbackRef.current(), delay);
return () => window.clearInterval(intervalRef.current);
}
}, [delay]);
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。
您还可以找到的声明版本setTimeout
和setInterval
,useTimeout
和useInterval
,以及自定义useThrottledCallback
的写在打字稿钩https://gist.github.com/Danziger/336e75b6675223ad805a88c2dfdcfd4a。