小编典典

jQuery ajax通用错误处理,并视具体情况而定

ajax

我有一个通用的ajax错误处理程序,如下所示:

$('html').ajaxError(function(e, xhr, settings, exception) {

    var message = '';

    if (xhr.status == 0) {
        message = 'You are offline!\n Please check your network.';
    }
    else if (xhr.status == 403) {
        window.location.href = $('#logon').attr('href');
    }
    else if (xhr.status == 404) {
        message = 'Requested URL not found.';
    }
    else if (xhr.status == 500) {

        message = xhr.responseText;

        $('#cboxLoadedContent div.news_article_content').append('<p>' + message + '</p>');

        try {//Error handling for POST calls
            message = JSON.parse(xhr.responseText);
        }

        catch (ex) {//Error handling for GET calls
            message = xhr.responseText;
        }

    }
    else if (errStatus == 'parsererror') {
        message = 'Error.\nParsing JSON Request failed.';

    }
    else if (errStatus == 'timeout') {
        message = 'Request timed out.\nPlease try later';
    }
    else {
        message = ('Unknown Error.\n' + xhr.responseText);
    }

    if (message != '' && xhr.status != 500) {
        message = message;
    }

    if (xhr.status != 403) {

        $('#icis_dashboard').append('<p id="ajax_error_msg" class="offScreen">' + message + '</p>');

        errorBox({
            inline: true,
            width: 0,
            href: '#ajax_error_msg',
            onLoadCall: function() { $('#cboxLoadedContent').jScrollPaneRemove(); },
            onCleanupCall: function() { $('#ajax_error_msg').remove(); }
        });
    }

});

因此,当错误不是403时,将显示一个对话框,其中包含与错误有关的文本。

很好,但是我想做的是将通用处理程序作为备份,然后在原始ajax调用中单独处理每个错误。

因此,当备份处理程序在404上提醒“栏”时,我想提醒“ foo”:

            error: function(xhr) {
            if (xhr.status == 404) {
                //window.location.href = $('#logon').attr('href');
                alert("foo");    
            }
        }

反正我在这里做吗?我不知道如何防止备份触发,因为它们似乎都在当前触发。


阅读 290

收藏
2020-07-26

共1个答案

小编典典

我认为您无法使用jQuery进行控制。全局ajaxError在ajax调用期间发生的任何错误上被调用。但是,“局部”错误回调在全局回调之前被调用,因此您可以设置一个变量来告诉全局回调不运行。

例如:

var handledLocally = false;

$('html').ajaxError(function(e, xhr, settings, exception) {
    if (!handledLocally){
        //run the normal error callback code and the reset handledLocally
    }
});

error: function(){
    //set handledLocally to true to let the global callback it has been taken care of
    handledLocally = true;
}
您可以查看显示如何完成此操作的jsFiddle(一定要在单击链接之前单击顶部的run):http
//jsfiddle.net/e7By8/
2020-07-26