React Hooks: useEffect() is called twice even if an empty array is used as an argument

前端 未结 2 868
既然无缘
既然无缘 2021-01-04 02:20


I am new to reactJS and am writing code so that before the data is loaded from DB, it will show loading message, and then after it is loaded, render components with the

2条回答
  •  一生所求
    2021-01-04 02:57

    Not sure why you won't put the result in state, here is an example that calls the effect once so you must have done something in code not posted that makes it render again:

    const App = () => {
      const [isLoading, setLoad] = React.useState(true)
      const [data, setData] = React.useState([])
      React.useEffect(() => {
        console.log('in effect')
        fetch('https://jsonplaceholder.typicode.com/todos')
          .then(result => result.json())
          .then(data => {
            setLoad(false)//causes re render
            setData(data)//causes re render
          })
      },[])
      //first log in console, effect happens after render
      console.log('rendering:', data.length, isLoading)
      return 
    {JSON.stringify(data, undefined, 2)}
    } //render app ReactDOM.render(, document.getElementById('root'))
    
    
    

    To prevent the extra render you can combine data and loading in one state:

    const useIsMounted = () => {
      const isMounted = React.useRef(false);
      React.useEffect(() => {
        isMounted.current = true;
        return () => isMounted.current = false;
      }, []);
      return isMounted;
    };
    
    
    const App = () => {
      const [result, setResult] = React.useState({
        loading: true,
        data: []
      })
      const isMounted = useIsMounted();
      React.useEffect(() => {
        console.log('in effect')
        fetch('https://jsonplaceholder.typicode.com/todos')
          .then(result => result.json())
          .then(data => {
            //before setting state in async function you should
            //  alsways check if the component is still mounted or
            //  react will spit out warnings
            isMounted.current && setResult({ loading: false, data })
          })
      },[isMounted])
      console.log(
        'rendering:',
        result.data.length,
        result.loading
      )
      return (
        
    {JSON.stringify(result.data, undefined, 2)}
    ) } //render app ReactDOM.render(, document.getElementById('root'))
    
    
    

提交回复
热议问题