问题
在处理 react 项目时,我遇到了 useeffect 挂钩的问题。我的目标是在组件安装时仅从 api 获取数据一次。然而,即使我提供了一个空的依赖项数组,useeffect 仍然运行多次。
这是代码片段:
import react, { useeffect, usestate } from "react"; import axios from "axios"; const mycomponent = () => { const [data, setdata] = usestate([]); useeffect(() => { console.log("fetching data..."); axios.get("https://jsonplaceholder.typicode.com/posts") .then(response => setdata(response.data)) .catch(error => console.error(error)); }, []); return ( <div> <h1>data</h1> <ul> {data.map(item => ( <li key={item.id}>{item.name}</li> ))} </ul> </div> ); }; export default mycomponent;
尽管依赖项数组 ([]) 为空,但 useeffect 仍被执行了多次。我尝试重新启动开发服务器,但问题仍然存在。经过一些研究和故障排除后,我确定了根本原因并解决了它。
答案
为什么会发生这种情况
严格的开发模式:
如果您的应用程序在启用了 strictmode 的 react 开发模式下运行,react 会故意多次挂载和卸载组件。这是一种仅限开发的行为,旨在检测可能导致问题的副作用。
重新渲染或热模块替换(hmr):
开发过程中,代码的变更可能会触发模块热替换,导致组件重新渲染,useeffect再次执行。
如何修复或处理此行为
识别严格模式:
如果您使用 strictmode,请了解此行为仅发生在开发中,不会影响生产构建。您可以通过删除
来暂时禁用它
import react from "react"; import reactdom from "react-dom"; import app from "./app"; reactdom.render(<app />, document.getelementbyid("root"));
however, it’s better to leave it enabled and adapt your code to handle potential side effects gracefully.
防止重复的 api 调用:
使用标志来确保 api 调用在组件的生命周期内只发生一次,甚至
import React, { useEffect, useState, useRef } from "react"; import axios from "axios"; const MyComponent = () => { const [data, setData] = useState([]); const isFetched = useRef(false); useEffect(() => { if (isFetched.current) return; console.log("Fetching data..."); axios.get("https://api.example.com/data") .then(response => setData(response.data)) .catch(error => console.error(error)); isFetched.current = true; }, []); return ( <div> <h1>Data</h1> <ul> {data.map(item => ( <li key={item.id}>{item.name}</li> ))} </ul> </div> ); }; export default MyComponent;
使用 useref 可确保 api 调用仅发生一次,而不管 strictmode 导致的额外渲染如何。
要点
必须的。
};
导出默认的 mycomponent;
使用 useref 可确保 api 调用仅发生一次,而不管 strictmode 导致的额外渲染如何。
要点
。 react 开发中的严格模式是有意为之的,可以安全地保留。
。生产版本不会有这个问题。 。必要时使用 useref 或其他技术来管理副作用。
必要时使用 useref 或其他技术来管理副作用。
生产版本不会有这个问题。
必要时使用 useref 或其他技术来管理副作用。