我对使用React的axios调用不是很有经验,我正在尝试进行axios调用以获取数组,然后使用该数组对数组中的每个项目进行axios调用。我从第一个调用中获取数组,然后从每个单独的调用中获取对象数组,但是在状态更新后,什么都没有呈现。这是我的代码:
我试图使用一个单独的对象来更新对象数组的状态,但这没有用。
state = {
items: [],
searchItem: "newstories",
promises: [{}]
};
componentDidMount() {
const { searchItem } = this.state;
axios
.get(
"https://hacker-news.firebaseio.com/v0/" +
this.state.searchItem +
".json?print=pretty"
)
.then(result => {
const topStories = result.data;
this.setState({ topStories });
let promises = [];
for (let i = 0; i < topStories.length; i++) {
axios
.get(base + topStories[i] + extension)
.then(res => {
const newItem = res.data;
promises.push(newItem.title);
})
.catch(error => console.log("Something went wrong"));
}
// Set the state of the array of objects
this.setState({ promises });
});
}
render() {
let counter = 0;
return (
<div>
{this.state.promises.map(stories => (
<li style={{ listStyle: "none" }} key=stories.id>
{(counter += 1)}. {stories.title}
</li>
))}
</div>
);
}
}
我希望能够映射并获取每个对象,并相应地使用每个对象的属性。每个对象看起来像这样:
{作者:“ thinksocrates” id:20004127孩子们:[…]得分:28标题:“ OKR”}
渲染器不返回任何标题,但是状态更改后我可以在控制台日志中看到它们,所以我不确定发生了什么。我猜我无法正确地获得承诺,但是我不确定如何在这种情况下使用axios.all。
答案 0 :(得分:2)
您需要在这里使用tbl2xts
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise/all
您的promise数组将填充promise,而不是使用对象以使其正确呈现,您需要等待所有响应
此外,componentDidMount()内的此操作将花费一些时间,因此最好考虑使用加载程序初始化状态,直到所有响应都获得获取为止
答案 1 :(得分:2)
this.setState({ promises });
将在所有诺言得以解决之前运行。这是解决它的更好方法。
.then(result => {
const topStories = result.data;
const promises = topStories.map(story => {
return axios.get(base + story + extension).then(res => res.data)
})
Promise.all(promises).then(data => {
console.log(data)
this.setState({ promises: data })
})
更改渲染
render() {
return (
<div>
{this.state.promises.map((stories, index)=> (
<li style={{ listStyle: "none" }} key=stories.id>
{`${index + 1}}.${stories.by}`}
</li>
))}
</div>
);
}