1

我想检索和存储 Google Maps API 函数的结果,geocode()以便以后使用。我已将下面的代码放在一个OnClick事件上,以对地图上单击的点的地址进行反向地理编码。

问题是它总是包含上一个点击点的值。示例:我第一次单击它是“未定义”,第二次它是我之前单击的点的地址,依此类推。

var address ;


my_listener = google.maps.event.addListener(map, 'click', function(event) {
   codeLatLng(event.latLng);
});

function codeLatLng(mylatLng) {
    
    geocoder = new google.maps.Geocoder();
    var latlng = mylatLng;

    geocoder.geocode({'latLng': latlng}, function(results, status) 
    {
        if (status == google.maps.GeocoderStatus.OK) 
        {
            if (results[1]) 
            {
                address = results[1].formatted_address;
            }
        }
    });

    alert(address);
}
4

1 回答 1

2

如果您要移动alert,在回调内部,您将看到新地址:

geocoder.geocode({'latLng': latlng}, function(results, status) {
    if (status == google.maps.GeocoderStatus.OK) 
    {
        if (results[1]) 
        {
            address = results[1].formatted_address;
            alert(address);   //moved here
        }//   ^
    }//       |
});//         |  
//-------------

地理编码过程是异步的,所以在这种情况下:

geocoder.geocode({'latLng': latlng}, function(results, status) {
    //We be called after `alert(address);`
});
alert(address);

alert将在从服务器接收地理编码数据并调用回调之前执行function(results, status){}

于 2012-07-04T11:55:06.333 回答