ReactJS componentDidMount 和 Fetch API

ReactJS componentDidMount and Fetch API

刚开始使用ReactJS和JS,请问有什么方法可以return把APIHelper.js得到的JSON设置到App.jsx的setState dairyList中吗?

我想我不了解 React 或 JS 或两者的基本知识。 dairyList 状态从未在 Facebook React Dev Tools 中定义。

// App.jsx
export default React.createClass({
  getInitialState: function() {
    return {
      diaryList: []
    };
  },
  componentDidMount() {
    this.setState({
      dairyList: APIHelper.fetchFood('Dairy'), // want this to have the JSON
    })
  },
  render: function() {
   ... 
  }


// APIHelper.js
var helpers = {
  fetchFood: function(category) {
    var url = 'http://api.awesomefoodstore.com/category/' + category

    fetch(url)
    .then(function(response) {
      return response.json()
    })
    .then(function(json) {
      console.log(category, json)
      return json
    })
    .catch(function(error) {
      console.log('error', error)
    })
  }
}

module.exports = helpers;

因为 fetch 是异步的,你需要做这样的事情:

componentDidMount() {
  APIHelper.fetchFood('Dairy').then((data) => {
    this.setState({dairyList: data});
  });
},

有效!根据Jack的回答做了修改,在componentDidMount()中添加了.bind(this),将fetch(url)修改为return fetch (url)

谢谢!我现在看到 State > dairyList: Array[1041] 包含我需要的所有元素

// App.jsx
export default React.createClass({
  getInitialState: function() {
    return {
      diaryList: []
    };
  },
  componentDidMount() {
    APIHelper.fetchFood('Dairy').then((data) => {
      this.setState({dairyList: data});
    }.bind(this));
  },
  render: function() {
   ... 
  }


// APIHelper.js
var helpers = {
  fetchFood: function(category) {
    var url = 'http://api.awesomefoodstore.com/category/' + category

    return fetch(url)
    .then(function(response) {
      return response.json()
    })
    .then(function(json) {
      console.log(category, json)
      return json
    })
    .catch(function(error) {
      console.log('error', error)
    })
  }
}

module.exports = helpers;