异步完成后如何执行其他功能?

时间:2019-05-17 08:09:12

标签: javascript jquery angularjs typescript promise

我正在制作基于angularjs和typescript的应用程序,在构造函数中,我正在调用类似的加载函数,

private load(): angular.IPromise<void> {

    const progTokInit: string = 'initial';
    this.$scope.progress.start(progTokInit);

    return this.entityService
      .load(this.$scope.projectRevisionUid)
      .then(resp => { 
         //Doing foreach and sending employeeModel
         //  to get the financetype of the person
         resp.employeeRates.forEach(employeeModel => this.getFinanceType(employeeModel));

         this.refreshCostRate(...resp.employeeRates)
          .then(() => // Another Function )
          .then(() => // Yet Anothoer Function )
     })
}

在这里,我需要获取某人的财务类型,如果我向其发送成本中心编号,我将获取数据,因此我在getFinanceType()函数中给出了这样的数据,

private getFinanceType (employeeModel:any) {
    this.costService.getFinanceType(employeeModel.person.cost_center.getValue()[0])
        .then((result) => {
          console.log('res ', result);
          employeeModel.financeType = result;
          return result;
        });
}

以上函数是异步的,因此在获取所有相关数据之前会有最大的延迟,直到我需要等到下一步时,即仅在当前{{1 }}函数完全完成其任务。.

我尝试使用 async / await 之类的方式

this.refreshCostRate(...resp.employeeRates)

但没有任何帮助,即使此数据尚未完成,执行仍会继续,因此我无法在正确的时间设置getFinanceType ()的数据。

请帮助我处理这种情况,等待private async getFinanceType (employeeModel:any) { await return this.costService.getFinanceType(employeeModel.person.cost_center.getValue()[0]) .then((result) => { console.log('res ', result); employeeModel.financeType = result; return result; }); } 完成其工作,然后再执行另一个功能和另一个功能。

1 个答案:

答案 0 :(得分:0)

getFinanceType函数修改为MDN docs承诺:

private getFinanceType (employeeModel:any) {
    var value = employeeModel.person.cost_center.getValue()[0]
    return this.costService.getFinanceType(value)
      .then((result) => {
        console.log('res ', result);
        employeeModel.financeType = result;
        return result;
    });
}

然后从返回的promise中获取链:

private load(): angular.IPromise<void> {

    const progTokInit: string = 'initial';
    this.$scope.progress.start(progTokInit);

    return this.entityService
      .load(this.$scope.projectRevisionUid)
      .then(resp => { 
         //Doing foreach and sending employeeModel
         //  to get the financetype of the person
         var promiseArr = resp.employeeRates.map(_ => this.getFinanceType(_));
         promiseArr.push(resp);
         return $q.all(promiseArr);
      })
      .then(financeTypeArr) {
         var resp = financeTypeArr.pop();   
         return this.refreshCostRate(...resp.employeeRates)
          .then(() => // Another Function )
          .then(() => // Yet Anothoer Function )
     })
}

使用$q.all等待所有数据从服务器返回,然后再进行下一步。