繁体   English   中英

使用AngularJS中的Promises成功/错误/ finally / catch

[英]Using success/error/finally/catch with Promises in AngularJS

我在AngularJs中使用$http ,我不确定如何使用返回的promise并处理错误。

我有这个代码:

$http
    .get(url)
    .success(function(data) {
        // Handle data
    })
    .error(function(data, status) {
        // Handle HTTP error
    })
    .finally(function() {
        // Execute logic independent of success/error
    })
    .catch(function(error) {
        // Catch and handle exceptions from success/error/finally functions
    });

这是一个很好的方法吗,还是有更简单的方法?

Promise是对语句的抽象,允许我们与异步代码同步表达自己。 它们代表一次性任务的执行。

它们还提供异常处理,就像普通代码一样,您可以从承诺返回,也可以抛出。

您在同步代码中想要的是:

try{
  try{
      var res = $http.getSync("url");
      res = someProcessingOf(res);
  } catch (e) {
      console.log("Got an error!",e);
      throw e; // rethrow to not marked as handled
  }
  // do more stuff with res
} catch (e){
     // handle errors in processing or in error.
}

宣传的版本非常相似:

$http.get("url").
then(someProcessingOf).
catch(function(e){
   console.log("got an error in initial processing",e);
   throw e; // rethrow to not marked as handled, 
            // in $q it's better to `return $q.reject(e)` here
}).then(function(res){
    // do more stuff
}).catch(function(e){
    // handle errors in processing or in error.
});

忘记使用successerror方法。

两种方法都已在角度1.4中弃用。 基本上,弃用背后的原因是它们不是可链接友好的 ,可以这么说。

通过以下示例,我将尝试演示我对success以及error是不可链接友好的 假设我们调用一个返回带有地址的用户对象的API:

用户对象:

{name: 'Igor', address: 'San Francisco'}

致电API:

$http.get('/user')
    .success(function (user) {
        return user.address;   <---  
    })                            |  // you might expect that 'obj' is equal to the
    .then(function (obj) {   ------  // address of the user, but it is NOT

        console.log(obj); // -> {name: 'Igor', address: 'San Francisco'}
    });
};

发生了什么?

因为successerror恢复原来承诺 ,即通过返回一个$http.get ,传递给的回调的对象then是整个用户对象,也就是说输入前面一样success的回调。

如果我们链接2 then ,这将是减少混乱:

$http.get('/user')
    .then(function (user) {
        return user.address;  
    })
    .then(function (obj) {  
        console.log(obj); // -> 'San Francisco'
    });
};

我认为以前的答案是正确的,但这是另一个例子(根据AngularJS 主页 ,只是fyi,success()和error()不推荐使用:

$http
    .get('http://someendpoint/maybe/returns/JSON')
    .then(function(response) {
        return response.data;
    }).catch(function(e) {
        console.log('Error: ', e);
        throw e;
    }).finally(function() {
        console.log('This finally block');
    });

您在寻找什么类型的粒度? 您通常可以通过:

$http.get(url).then(
  //success function
  function(results) {
    //do something w/results.data
  },
  //error function
  function(err) {
    //handle error
  }
);

我发现链接多个承诺时“终于”和“抓住”会更好。

在Angular $ http的情况下,success()和error()函数会将响应对象解包,因此回调签名就像$ http(...)。success(function(data,status,headers,config))

对于then(),您可能会处理原始响应对象。 比如发布在AngularJS $ http API文件中

$http({
        url: $scope.url,
        method: $scope.method,
        cache: $templateCache
    })
    .success(function(data, status) {
        $scope.status = status;
        $scope.data = data;
    })
    .error(function(data, status) {
        $scope.data = data || 'Request failed';
        $scope.status = status;
    });

除非在先前的promise链中抛出新的错误,否则最后的.catch(...)将不需要。

我这样做就像Bradley Braithwaite在他的博客中建议的那样:

app
    .factory('searchService', ['$q', '$http', function($q, $http) {
        var service = {};

        service.search = function search(query) {
            // We make use of Angular's $q library to create the deferred instance
            var deferred = $q.defer();

            $http
                .get('http://localhost/v1?=q' + query)
                .success(function(data) {
                    // The promise is resolved once the HTTP call is successful.
                    deferred.resolve(data);
                })
                .error(function(reason) {
                    // The promise is rejected if there is an error with the HTTP call.
                    deferred.reject(reason);
                });

            // The promise is returned to the caller
            return deferred.promise;
        };

        return service;
    }])
    .controller('SearchController', ['$scope', 'searchService', function($scope, searchService) {
        // The search service returns a promise API
        searchService
            .search($scope.query)
            .then(function(data) {
                // This is set when the promise is resolved.
                $scope.results = data;
            })
            .catch(function(reason) {
                // This is set in the event of an error.
                $scope.error = 'There has been an error: ' + reason;
            });
    }])

关键点:

  • resolve函数链接到我们控制器中的.then函数,即一切都很好,所以我们可以信守承诺并解决它。

  • 拒绝功能链接到我们控制器中的.catch函数,即出错了,所以我们无法履行承诺,需要拒绝它。

它非常稳定和安全,如果您有其他条件拒绝承诺,您可以随时在成功函数中过滤数据并使用拒绝原因调用deferred.reject(anotherReason)

正如Ryan Vice在评论中所建议的那样 ,这可能不会被视为有用,除非你对答案略有提及 ,可以这么说。

因为自1.4以来不推荐使用successerror ,所以最好使用常规的promise方法then catch并转换这些方法中的响应并返回转换后的响应的承诺。

我用两种方法和第三种中间方法展示了相同的例子:

successerror方法( successerror返回HTTP响应的承诺,所以我们需要$q的帮助来返回数据的承诺):

function search(query) {
  // We make use of Angular's $q library to create the deferred instance
  var deferred = $q.defer();

  $http.get('http://localhost/v1?=q' + query)
  .success(function(data,status) {
    // The promise is resolved once the HTTP call is successful.
    deferred.resolve(data);              
  })

  .error(function(reason,status) {
    // The promise is rejected if there is an error with the HTTP call.
    if(reason.error){
      deferred.reject({text:reason.error, status:status});
    }else{
      //if we don't get any answers the proxy/api will probably be down
      deferred.reject({text:'whatever', status:500});
    }
  });

  // The promise is returned to the caller
  return deferred.promise;
};

then catch方法(由于抛出,这有点难以测试):

function search(query) {

  var promise=$http.get('http://localhost/v1?=q' + query)

  .then(function (response) {
    // The promise is resolved once the HTTP call is successful.
    return response.data;
  },function(reason) {
    // The promise is rejected if there is an error with the HTTP call.
    if(reason.statusText){
      throw reason;
    }else{
      //if we don't get any answers the proxy/api will probably be down
      throw {statusText:'Call error', status:500};
    }

  });

  return promise;
}

虽然有一个中途解决方案(这样你可以避免throw ,无论如何你可能需要使用$q来模拟测试中的promise行为):

function search(query) {
  // We make use of Angular's $q library to create the deferred instance
  var deferred = $q.defer();

  $http.get('http://localhost/v1?=q' + query)

  .then(function (response) {
    // The promise is resolved once the HTTP call is successful.
    deferred.resolve(response.data);
  },function(reason) {
    // The promise is rejected if there is an error with the HTTP call.
    if(reason.statusText){
      deferred.reject(reason);
    }else{
      //if we don't get any answers the proxy/api will probably be down
      deferred.reject({statusText:'Call error', status:500});
    }

  });

  // The promise is returned to the caller
  return deferred.promise;
}

欢迎任何形式的评论或更正。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM