3

我们正在对谷歌地图地理编码 API 进行跨域调用。这在现代浏览器中过去和现在都很好,而且在现代浏览器中运行良好,但在 IE8 中根本不起作用。看起来它在 IE9 中也会失败(部分 CORS 支持)。这导致包含一个 XDomainRequest (XDR) 来处理 IE8-9。在我的独立测试中这样做可以很好地在 IE8 中获取数据。

我现在遇到的问题是 XDR 只能异步工作,所以我的地理编码函数在我的 xdr.onload 触发之前返回。

在我的搜索功能中,我调用了地理编码功能:

var location = Geocode(city, state);

if (!location) {
    alert('Unable to determine the location of the city and state you entered');
    StopLoading();
    return;
}
//function then uses location.lat and location.lng coordinates

我在 IE8 中点击了上面的“无法确定位置”警报。

这是我的地理编码功能:

Geocode = function (address, state) {
var protocol = location.protocol,
    url = '//maps.googleapis.com/maps/api/geocode/json?sensor=false&address=',
    param = encodeURIComponent(address + ', ' + state),
    json = {};

if ('XDomainRequest' in window && window.XDomainRequest !== null) {
    //IEs that do not support cross domain xhr requests
    var xdr = new XDomainRequest();

    xdr.open('get', protocol + url + param);
    xdr.onload = function() {
        json = jQuery.parseJSON(xdr.responseText);
    };
    xdr.send();
} else {
    //good browsers
    jQuery.ajax({
        url: protocol + url + param,
        type: 'get',
        dataType: 'json',
        async: false,
        success: function(data) {
            json = data;
        }
    });
}

//alert(json);
if (json.status !== 'OK') {
    alert('Unable to determine the location of the city and state you entered');
    return null;
}

return json.results[0].geometry.location;
};

如果我在地理编码函数中注释掉 alert(json),我会在 IE8 中获得结果,因为这是一个阻塞操作,因此请求有时间完成并填充我的 json 对象。当它未注释运行时,不会填充 json 对象。

任何人都知道如何在 IE 中使用它?

4

1 回答 1

1

异步是异步的。如果您想在请求完成后做某事,您必须将其放入 xdr.onload 函数中。

javascript中没有“等待”功能。您可以构建一个并执行 setTimeout 循环以检查所有 x 毫秒的变量。但在这种情况下,这对你没有帮助(而且非常难看)。在您的情况下,您可以使用 onerror 和 ontimeout 来检查服务器是否有问题,并使用 onload 来检查城市是否在 json 中。

xdr.onload = function() {
json = jQuery.parseJSON(xdr.responseText);
//check if a city is loaded, go on if true
};
xdr.onerror = function() {
alert('Unable to determine the location of the city and state you entered');
//do whatever u wanna do if something went wrong
xdr.ontimeout = function() {
alert('404 Server');
//do whatever u wanna do if something went wrong
}

我希望这可以帮助您找到方法(顺便说一下,使用异步请求是一种更好的方法,然后阻止 javascript/浏览器的漏洞;)

jQuery 文档说:

从 jQuery 1.8 开始,不推荐在 jqXHR ($.Deferred) 中使用 async: false ;您必须使用成功/错误/完成回调选项而不是 jqXHR 对象的相应方法,例如 jqXHR.done() 或已弃用的 jqXHR.success()

于 2013-08-30T22:06:45.560 回答