我通过制作游戏项目来学习React&Redux。我想通过API提取数据(属性),但这会导致过多的请求。猜猜可以将axios调用直接放置在功能性react组件中,但是我不知道如何解决。
function Attributes({ attributes, dispatch }) {
axios.get(`/api/heroes/1/get-attributes`).then(res => {
dispatch(AttribAction.set(objectToArray(res.data)));
});
return (
<div className="content">
{attributes.map((attrib, index) => (
<div
key={index}
className={attrib.id == null ? "attrib-block empty" : "attrib-block"}
>
<p>
<strong>{attrib.name}</strong>: {attrib.value}
</p>
<div>
<button
className="attrib-button"
onClick={() => dispatch(AttribAction.increment(attrib.id))}
>
+
</button>
<button
className="attrib-button"
onClick={() => dispatch(AttribAction.decrement(attrib.id))}
>
-
</button>
</div>
</div>
))}
</div>
);
}
答案 0 :(得分:0)
将代码放在useEffect钩子中,然后将数组作为第二个参数传递,以指定哪些变量如果更改将导致其重复执行效果。空数组表示永不重复。
import React, { useEffect } from 'react';
function Attributes({ attributes, dispatch }) {
useEffect({
axios.get(`/api/heroes/1/get-attributes`)
.then(res => {
dispatch(AttribAction.set(objectToArray(res.data)));
});
}, []);
// ... etc
}
答案 1 :(得分:0)
您可以使用useEffect
挂钩来运行数据获取。
将空数组作为依赖项传递意味着效果将只运行一次。
import React, { useEffect } from 'react';
function Attributes({ attributes, dispatch }){
useEffect(() => {
axios.get(`/api/heroes/1/get-attributes`)
.then(res => {
dispatch(AttribAction.set(objectToArray(res.data)));
});
}, [])
return(
<div className="content">
{attributes.map((attrib, index) =>
<div key={index} className={attrib.id == null ? "attrib-block empty" : "attrib-block"}>
<p><strong>{attrib.name}</strong>: {attrib.value}</p>
<div>
<button className="attrib-button" onClick={() => dispatch(AttribAction.increment(attrib.id))}>+</button>
<button className="attrib-button" onClick={() => dispatch(AttribAction.decrement(attrib.id))}>-</button>
</div>
</div>
)}
</div>
);
}