Async и Await не работают в Axios React - PullRequest
0 голосов
/ 12 октября 2018

У меня проблема:

Я хочу, чтобы мой axios сделал заявку, а после этого this.setState с результатом, сохраненным в переменной.

Мой код:

componentDidMount() {
  let mails = [];
  axios.get('/api/employee/fulano')
    .then(res => this.setState({
      employees: res.data
    }, () => {

      this.state.employees.map(i => {
        async axios.get(`/api/status/${i.mail}`)
          .then(res => {
            mails.push(res.data)
            await this.setState({
              mails: mails
            })
          })
          .catch(err => console.log(err))
      })
    }))
    .catch(err => console.log(err))
}

Но он дает синтаксис ошибки.

Лучшее объяснение: я хочу сохранить все результаты карты в переменной mails и позже использовать setState чтобы изменить результат всего за один раз.

Кто-то может сказать мне, где я брожу?Пожалуйста.

Ответы [ 4 ]

0 голосов
/ 12 октября 2018

Не рекомендуется смешивать async/await с .then/.catch.Вместо этого используйте один или другой.Вот пример того, как вы можете сделать это, используя ONLY async/await и ONLY one this.setState() (ссылка на функцию Promise.each ):

componentDidMount = async () => {
  try {    
    const { data: employees } = await axios.get('/api/employee/fulano'); // get employees data from API and set res.data to "employees" (es6 destructing + alias)

    const mails = []; // initialize variable mails as an empty array

    await Promise.each(employees, async ({ mail }) => { // Promise.each is an asynchronous Promise loop function offered by a third party package called "bluebird"
      try {
       const { data } = await axios.get(`/api/status/${mail}`) // fetch mail status data
       mails.push(data); // push found data into mails array, then loop back until all mail has been iterated over
      } catch (err) { console.error(err); }
    })

    // optional: add a check to see if mails are present and not empty, otherwise throw an error.

    this.setState({ employees, mails }); // set employees and mails to state
  } catch (err) { console.error(err); }

}
0 голосов
/ 12 октября 2018

Вы ставите async в неправильном месте

асинхронность должна быть помещена в определение функции, а не вызов функции

componentDidMount() {
    let mails = [];
    axios.get('/api/employee/fulano')
    .then(res => this.setState({
        employees: res.data
    }, () => {
        this.state.employees.map(i => {
            axios.get(`/api/status/${i.mail}`)
            .then(async (res) => {
                mails.push(res.data)
                await this.setState({
                    mails: mails
                })
            })
            .catch(err => console.log(err))
        })
    }))
    .catch(err => console.log(err))
}
0 голосов
/ 12 октября 2018

Вы используете асинхронное ожидание в неправильных местах.Ключевое слово async должно использоваться для функции, содержащей асинхронную функцию.

await ключевое слово должно использоваться для выражения, которое возвращает Promise, и хотя setState равно async, оно нене вернуть обещание и, следовательно, await не будет работать с ним

Ваше решение будет выглядеть как

componentDidMount() {
  let mails = [];
  axios.get('/api/employee/fulano')
    .then(res => this.setState({
      employees: res.data
    }, async () => {

      const mails = await Promise.all(this.state.employees.map(async (i) => { // map function contains async code
        try {
             const res = await axios.get(`/api/status/${i.mail}`)
             return res.data;
        } catch(err) { 
            console.log(err)
        }
      })
      this.setState({ mails })
    }))
    .catch(err => console.log(err))
}
0 голосов
/ 12 октября 2018

Это должно работать:

    componentDidMount() {
        axios.get('/api/employee/fulano')
         .then(res => this.setState({
          employees: res.data
         }, () => {

           this.state.employees.map(i => {
           axios.get(`/api/status/${i.mail}`)
             .then( async (res) => { // Fix occurred here
                let mails = [].concat(res.data)
                await this.setState({
                  mails: mails
             })
          })
          .catch(err => console.log(err))
        })
      }))
         .catch(err => console.log(err))
     }
...