0

我正在尝试coord从 GetLocation 返回变量,但它只返回未定义的。任何帮助表示赞赏!

var coord = "";
function GetLocation(address) {

    var geocoder = new google.maps.Geocoder();

    geocoder.geocode( { "address": address }, function (results, status) {

        if (status == google.maps.GeocoderStatus.OK) {
            coord = ParseLocation(results[0].geometry.location);

            // This alert shows the proper coordinates 
            alert(coord);
        }
        else{ }

    });

    // this alert is undefined
    alert(coord);
    return coord;
}

function ParseLocation(location) {

    var lat = location.lat().toString().substr(0, 12);
    var lng = location.lng().toString().substr(0, 12);

    return lat+","+lng;
}
4

1 回答 1

2

当您coords从外部函数返回时,它实际上仍然是undefined. 内部函数稍后在异步操作(如果它不是异步的,API 只会正常地给你结果)完成时执行。

尝试传递回调:

function GetLocation(address, cb) {

    var geocoder = new google.maps.Geocoder();

    geocoder.geocode( { "address": address }, function (results, status) {

        if (status == google.maps.GeocoderStatus.OK) {
            cb(ParseLocation(results[0].geometry.location));
        }
        else{ }

    });
}

然后你可以像这样使用它:

GetLocation( "asd", function(coord){
    alert(coord);
});
于 2012-08-23T19:38:40.403 回答