4

我希望这个函数返回 ajax 调用是否成功。有什么办法可以做到这一点吗?我下面的代码不这样做。

function myFunction(data) {
var result = false;
$.ajax({
    type: "POST",
        contentType: "application/json",
        dataType: "json",
        url: "url",
        data: data,
        error: function(data){
             result = false;
             return false;
        },
        success: function(data){
            result = true;
            return true;
        }
     });
     return result;
}
4

5 回答 5

6

不幸的是,您不能将值返回给包装异步回调的函数。相反,来自 AJAX 请求的成功回调会将数据和控制权移交给另一个函数。我在下面演示了这个概念:

myFunction 的定义:

// I added a second parameter called "callback", which takes a function
 // as a first class object
function myFunction(data, callback) {
    var result = false;
    $.ajax({
        type: "POST",
        contentType: "application/json",
        dataType: "json",
        url: "url",
        data: data,
        error: function(data){
            result = false;

            // invoke the callback function here
            if(callback != null)  {
                callback(result);
            }

            // this would return to the error handler, which does nothing
            //return false;
        },
        success: function(data){
            result = true;

            // invoke your callback function here
            if(callback != null) {
                callback(result);                
            }

            // this would actually return to the success handler, which does
              // nothing as it doesn't assign the value to anything
            // return true;
        }
     });

     // return result; // result would be false here still
}

回调函数定义:

// this is the definition for the function that takes the data from your
 // AJAX success handler
function processData(result) {

    // do stuff with the result here

}

调用你的 myFunction:

var data = { key: "value" }; /* some object you're passing in */

// pass in both the data as well as the processData function object
 // in JavaScript, functions can be passed into parameters as arguments!
myFunction(data, processData);
于 2012-05-26T21:57:59.077 回答
3

无需回电。您可以使用 async 属性来实现这一点。

function myFunction(){
    var retVal;
    $.ajax({
        url:url,
        method: GET/POST,
        data: data,
        async: false,
        success:function(response) {
            retVal = response;
        }
    });
    return retVal;
}
于 2016-04-30T20:01:57.330 回答
1

您可以async: false在 AJAX 配置中指定,尽管文档指出这也会在 AJAX 调用期间锁定浏览器,因此不建议这样做。

于 2012-05-26T19:07:30.717 回答
0

不,myFunction不能返回 ajax 调用的成功,因为 ajax 调用是异步完成的。

您的代码将按以下顺序执行:

  1. var result = false;
  2. $.ajax将请求发送到服务器。
  3. return result(仍然设置为假)。
  4. 当从服务器接收到响应时,包含result = false或被result = true调用的成功或错误处理程序。

处理这个问题的正确方法是将任何依赖于 ajax 代码结果的代码移到成功和错误函数中。

于 2012-05-26T19:09:20.183 回答
0

添加这个对你有帮助的属性

async: false
于 2013-12-11T12:01:13.263 回答