14

200 ok有时,即使出现错误,我使用的 API 也会返回。响应 JSON 对象将类似于:

{
    error: true
}

我已经构建了一个 $httpresponse拦截器,它只是检查这个错误并拒绝它。我希望它然后跳入我的responseError功能:

$httpProvider.interceptors.push(function($q) {
    return {

        response: function (response) {

            if (response.data.error) {

                // There has been an error, reject this response
                return $q.reject(response);
            }

            return response;
        },

        responseError: function(rejection) {

            // Display an error message to the user
            ...

            return $q.reject(rejection);
        }
    }
});

问题是,即使在拒绝响应之后,我的responseError函数也没有被调用。它被称为500错误等,所以我知道它正在工作。我希望拒绝也会做同样的事情。

文档

responseError: interceptor gets called when a previous interceptor threw an error or resolved with a rejection.

关于缺少什么的任何想法?

4

3 回答 3

7

看起来这是不可能的。要减少重复代码,只需单独声明错误处理函数并在 response 和 responseError 函数中重用它。

$httpProvider.interceptors.push(function($q) {

    var handleError = function (rejection) { ... }

    return {

        response: function (response) {

            if (response.data.error) {
                return handleError(response);
            }

            return response;
        },

        responseError: handleError
    }
});
于 2014-02-17T11:29:10.297 回答
2

添加到这个答案:拒绝响应拦截器中的承诺确实做了一些事情。

尽管乍一看会期望它调用 responseError ,但这并没有多大意义:请求已成功完成。但是在响应拦截器中拒绝它会使 promise 的调用者进入错误处理。所以当这样做时

$http.get('some_url')
.then(succes)
.catch(err)

拒绝承诺将调用 catch 函数。因此,您没有适当的通用错误处理,但是您的承诺被拒绝,这很有用:-)

于 2016-11-29T09:20:16.923 回答
1

如果您想将 http 响应传递给 responseError 处理程序,您可以这样做:

$httpProvider.interceptors.push(function($q) {

    var self = {

        response: function (response) {

            if (response.data.error) {
                return self.responseError(response);
            }

            return response;
        },

        responseError: function(response) {
            // ... do things with the response
        }
    }
    return self;
});
于 2017-06-29T23:00:24.220 回答