如何等待所有请求完成?

时间:2018-11-29 18:01:10

标签: javascript vue.js

sortOrder函数完全完成后,如何使getOrders函数运行?

我以为使用回调,所以我希望getOrders终止并执行sortOrder函数,但我不知道该怎么做。我应该怎么做,有没有建议?

mounted () {
    this.user = this.$q.localStorage.get.item('userInfo')
    axios.get(`${api.getOrders}${this.user.cpf}`).then(response => {
      this.orders = response.data
      if (this.orders !== '') {
        this.$q.loading.show()
        this.getOrders(callback => {
          this.sortOrder()
        })
      }
    })
  },
  methods: {
    getOrders: function () {
      for (let i = 0; i < this.orders.length; i++) {
        axios.get(api.obterOrderInfo(this.orders[i].orderId)).then(response => {
          this.orderInfo = this.orderInfo.concat(response.data)
        })
      }
    },
    sortOrder: function () {
      this.orderInfo.sort(this.compare)
      this.$q.loading.hide()
    },
    compare: function (x, y) {
      return x.creationDate < y.creationDate
    }
}

2 个答案:

答案 0 :(得分:2)

getOrders: function () {
   // Create array of requests
   const requests = [];
   for (let i = 0; i < this.orders.length; i++) {
      requests.push(axios.get(api.obterOrderInfo(this.orders[i].orderId)))
   }

   // Map array of responses to orderInfo
   return Promise.all(requests).then(results => this.orderInfo = results.map(result => result.data))
},

答案 1 :(得分:-1)

您需要将您的诺言包装在一起,并使用Promise.all来解决它们,如下所示:

getOrders: function () {
  let promises = []
  for (let i = 0; i < this.orders.length; i++) {
    const promise = axios.get(api.obterOrderInfo(this.orders[i].orderId)).then(response => {
      this.orderInfo = this.orderInfo.concat(response.data)
    })
    promises.push(promise)
  }
  Promise.all(promises)
    .then(() => {
      this.sortOrder()
    })
},