为什么未触发useEffect?

时间:2020-11-03 13:06:23

标签: javascript reactjs use-effect react-component use-state

我有一个应该是运行中的时钟的功能组件:

import React,{useState,useEffect} from 'react';
import 'materialize-css/dist/css/materialize.min.css';
import { parseTime } from '../../Utils/utils'

const MainClock = (props) => {
    const [timeString, setTimeString] = useState(parseTime(new Date(), true));
    function tick(){
        console.log("TICK:" + timeString)
        setTimeString(parseTime(new Date(), true));
    };

    useEffect(()=>{console.log("rendered!");setTimeout(tick,500);},[timeString]);
    return (
        <div>
            <h5 className="center-align mainclock">{timeString}</h5>
        </div>        
    );
}
 
export default MainClock;

但是由于某种原因,它仅被渲染两次,控制台输出为:

rendered!
TICK:14:56:21
rendered!
TICK:14:56:22

为什么在第二次渲染后没有调用useeffect?

欢迎任何帮助!

编辑:如果有帮助,则为parseTime

const parseTime = (timeDate, withSeconds=false) =>{
    let time = timeDate.getHours()<10 ? `0${timeDate.getHours()}`:`${timeDate.getHours()}`;
    time+=":";
    time+= timeDate.getMinutes()<10 ? `0${timeDate.getMinutes()}`:`${timeDate.getMinutes()}`;
    if(withSeconds){
        time+=":";
        time+=timeDate.getSeconds()<10 ? `0${timeDate.getSeconds()}`:`${timeDate.getSeconds()}`;
    }
    return time;
}

2 个答案:

答案 0 :(得分:4)

问题是使用setTimeout和使用低延迟,即500ms超时。如果您记录parseTime的返回值,则会注意到在两次调用之间,它返回相同的时间字符串,因此状态永远不会更新,从而导致组件永远不会重新呈现,因此useEffect永远不会再次执行以设置另一个setTimeout

解决方案

增加超时延迟或检查parseTime函数的返回值,如果该返回值与状态中的返回值相同,请再次调用此函数。

此外,此处更适合使用setInterval而不是setTimeout,因为setInterval只需要被调用一次,并且它将反复调用tick函数,直到间隔被取消。如果您使用setTimeout,则需要一次又一次调用setTimeout来安排新的tick函数调用。

答案 1 :(得分:2)

如上所述,这是setTimeout时序值-500ms短的问题。 要使其正常工作,您需要使用setInterval

const MainClock = (props) => {
    const [timeString, setTimeString] = useState(parseTime(new Date(), true));
    function tick(){
        console.log("TICK:" + timeString)
        setTimeString(parseTime(new Date(), true));
    };

    useEffect(() => {
      setInterval(tick, 500);
    }, []);
    useEffect(()=>{console.log("rendered!");},[timeString]);
    return (
        <div>
            <h5 className="center-align mainclock">{timeString}</h5>
        </div>        
    );
}