无法在 axios 回调中访问更正此问题

Cannot access correct this inside an axios callback

有一个有点头脑放屁的自动取款机。我设法编写了以下代码,它从 url 下载 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存储在状态对象的数据中,但是当我试图这样做,它说状态变量实际上不存在...

这是什么意思?因为它是 component WILL mount 函数,状态还不存在,所以这就是为什么我无法在那里存储接收到的数据?

有什么办法可以解决这个问题吗?非常感谢

P.S:实际解决方案有效,但质量很低,在这种情况下使用本地存储。

有没有

问题不是状态不存在,而是你没有使用正确的状态上下文。

你需要bind axios callback function,否则里面的this会引用它自己的上下文而不是react组件的上下文

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>
    )

  };