如何掌握有条件的

如何掌握有条件的

我必须解决angularjs中的一个问题,并且我现在被困了几个小时。

如果具有此伪代码:

doSomething(param){

    var res;
    if(param = "ok"){
        //do some api calls with promise
        res = promise result
     }

    doSomeStuff(){
        //if i got res variable, continue with this...
        // else
        //if res is not set, do this...
    }


所以我的问题是:我该怎么做?
doSomeStuff函数需要知道是否设置了变量res。因此,如果未设置变量res,则需要等待或继续。

最佳答案

如果只需要一个api调用,请使用$ http的then()

doSomething(param){
    if(param == "ok"){
        //do some api calls with promise
        $http({
           method: 'GET',
           url: url
        }).then(
           function success(response) {
                doSomeStuff(response);
           },
           function error(response) {
              console.log(response);
           }
        );
    }
}


如果您需要拨打许多APi电话:

var doSomething = function (param){
    if(param == "ok"){
       // imagine that listeUrl is an array of url for api calls
       var promises = [];
       for (var i in listeUrl ) {

          promises.push( //Push the promises into an array
              $http({
                 method: 'GET',
                 url: listeUrl[i]
              }).then(function success(response) {
                 return response.data;
              })
          );
       }
       return $q.all(promises); // Resolve all promises before going to the next .then
    }
}

doSomething("ok").then(function(res){
    doSomeStuff(res);
});

关于javascript - 如何掌握有条件的 promise ?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39710441/

10-10 14:14