3

我正在 JSON 服务器之上编写一个主干 js Web 应用程序,它以 J Send 规范格式返回 JSON 响应。

以下是该格式的一些示例:

获取/帖子

{
 "status": "success",
 "data": {
   "posts" [
     {"id": 1, "title": "A blog post"}, 
     {"id": 2, "title": "another blog post"}
   ]
 }
}

发布/帖子

{
  "status": "fail",
  "data": {
    "title": "required"
  }
}

默认情况下,$.ajax 中的 "error" 事件由 http 代码触发,但由于 JSend 规范格式根本不使用 HTTP 代码,因此我必须重写 $.ajax 错误处理程序。

默认情况下它的工作方式(http代码):

$.ajax({
  error: function() {
    // Do your job here.
  },
  success: function() {
    // Do your job here.
  }
});

如何重写 $.ajax 错误处理程序,它在解析正文时触发,如果“状态”属性是“失败”或“错误”?

4

2 回答 2

4

尽管看起来违反直觉,但您必须将其放入success函数中。只需自己检查值:

$.ajax({
  error: function() {
    // Handle http codes here
  },
  success: function(data) {

    if(data.status == "fail"){
      // Handle failure here
    } else {
      // success, do your thing
    }

  }
});
于 2013-01-21T15:53:00.663 回答
1

为了保持干燥,你可以使用这样的东西:

function JSendHandler(success, fail) {
    if (typeof success !== 'function' || typeof fail !== 'function') {
        throw 'Please, provide valid handlers!';
    }
    this.success = success;
    this.fail = fail;
}

JSendHandler.prototype.getHandler = function () {
    return function (result) {
        if (result.status === 'fail') {
            this.fail.call(this, arguments);
        } else {
            this.success.call(this, arguments);
        }
    }
};

function success() { console.log('Success'); }
function error() { console.log('Fail!'); }

var handler = new JSendHandler(success, error);

$.ajax({
  error: error,
  success: handler.getHandler()
});
于 2013-01-21T15:59:39.923 回答