得到了一点心灵放屁atm。我设法编写了以下代码,从网址下载JSON并将其显示在屏幕上:
export default class Appextends React.Component {
constructor(props) {
super(props);
this.state = {
data: [],
}
}
componentWillMount() {
axios.get(//url//)
.then(function (response) {
localStorage.setItem('data', JSON.stringify(response.data));
//this.setState({data: response.data}); -- doesnt work
})
.catch(function (error) {
console.log(error);
})
}
render() {
let items = JSON.parse(localStorage.getItem('data'));
return (
<ul>
{items.map(v => <li key={v.id}>{v.body}</li>)}
</ul>
)
};
}
但是 ...这很奇怪,因为如果我想将收到的json存储在状态对象中的数据中,但是当我试图这样做时,它会说状态变量实际上并不存在......
这是什么意思?由于它的组件将安装功能,状态还不存在,这就是为什么我无法在那里存储接收到的数据?
有没有办法解决这个问题?非常感谢你
P.S :在这种情况下,使用本地存储,实际解决方案有效,但质量相当低。
有吗
答案 0 :(得分:5)
问题不在于状态不存在,而在于你没有使用正确的状态上下文。
您需要bind
axios callback function
,否则其中的this
将引用其自身的上下文而不是反应组件的上下文
axios.get(//url//)
.then( (response) => {
this.setState({data: response.data});
})
.catch( (error) => {
console.log(error);
})
并在渲染中
render() {
return (
<ul>
{this.state.data.map(v => <li key={v.id}>{v.body}</li>)}
</ul>
)
};