Reputation: 517
I'm utilizing the Geocoding API for converting and address to latitude and longitude coordinate values. I do receive results but the lat and long are empty. Other SO posts mention the Geocoder requests are asynchronous and Google just doesn't return the data fast enough. I'm not understanding how to fix this for my code if that is the problem.
var coords = [];
var address = '1600 Pennsylvania Ave NW, Washington, DC 20500';
var geocoder = new google.maps.Geocoder();
geocoder.geocode({'address': address}, function( results, status ) {
if (status === google.maps.GeocoderStatus.OK) {
coords[0] = results[0].geometry.location.lat();
coords[1] = results[0].geometry.location.lng();
}
else {
coords = 'Could not retrieve coordinates for: ' + address;
}
});
return coords;
Even if I use a well-known address I still get no lat or long.
Results object:
Is this really the problem or is there something wrong with the code I'm using? How can I fix this?
Upvotes: 5
Views: 5888
Reputation: 41
this question was asked a long time ago but your code gave me hint to solve my problem. The response returned from API call are only function lat & function lgt, that's why there are no coordinates. You have to call the functions as specified in the question
coords[0] = results[0].geometry.location.lat();
coords[1] = results[0].geometry.location.lng();
if you console.log(coords), you can see the result.
Upvotes: 4
Reputation: 517
Ended up using this to solve the issue:
var request = new XMLHttpRequest();
request.open( 'GET', 'https://maps.googleapis.com/maps/api/geocode/json?address=' + address, false);
request.send( null );
Though, I had to set false in order to keep the request synchronous. Seems this is/will be deprecated but for my purposes it should be fine. I can now parse through the json by doing the following:
var request = new XMLHttpRequest();
request.open( 'GET', 'https://maps.googleapis.com/maps/api/geocode/json?address=' + address, false);
request.send( null );
This is fine I think. Just wish the Geocoder documentation made note of the asynchronous issues and provided better solutions.
Upvotes: 1