jQuery的的getJSON - 返回值给调用者函数(jQuery getJSON - Retu

2019-06-27 21:22发布

    String.prototype.getLanguage = function() {
        $.getJSON('http://ajax.googleapis.com/ajax/services/language/detect?v=1.0&q=' + this + '&callback=?',
            function(json) {
               return json.responseData.language;
            });
    };

我怎样才能返回值给调用者的价值? 谢谢。

编辑:我已经试过这样:

    String.prototype.getLanguage = function() {
        var returnValue = null;

        $.getJSON('http://ajax.googleapis.com/ajax/services/language/detect?v=1.0&q=' + this + '&callback=?',
            function(json) {
               returnValue = json.responseData.language;
            });

        return returnValue;
    };

但它不工作要么。 它返回null。

Answer 1:

我假设你想使用同步事件,以便您String.prototype.getLanguage()函数将只返回JSON。 不幸的是,你不能从远程API做与jQuery。

据我知道的jQuery不支持同步的XMLHttpRequest对象 ,即使它没有,你需要在你的服务器上的代理,使同步请求,同时避免的限制同源策略 。

你可以,但是,你要使用的是什么jQuery的JSONP为支持。 如果我们只是写String.prototype.getLanguage()支持回调:

String.prototype.getLanguage = function( callback ) {
    var thisObj = this;
    var url = 'http://ajax.googleapis.com/ajax/services/language/detect?v=1.0&q=' + this + '&callback=?';

    $.getJSON( url,function(json) {
                callback.call(thisObj,json.responseData.language);
    });
}

然后我们可以使用的功能,例如:

'this is my string'.getLanguage( function( language ) {
    //Do what you want with the result here, but keep in mind that it is async!
    alert(this);
    alert(language);
});


Answer 2:

var test = function(fun)
{

String.prototype.getLanguage = function() {
        .getJSON('http://ajax.googleapis.com/ajax/services/language/detect?v=1.0&q=' + this + '&callback=?',
            function(json) {
              fun.call(json.responseData.language);
            });
    };

};

test(retCall);

var retCall = function(xjson){
   alert(xjson);
};


文章来源: jQuery getJSON - Return value to the caller function