EDIT:
Забыл сказать, что это решение на чистом js, единственное, что вам нужно, это браузер, который поддерживает обещания https://developer.mozilla.org/it/docs/Web/JavaScript/Reference/Global_Objects/Promise
Для тех, кому все еще нужно это сделать, я написал собственное решение, которое сочетает в себе обещания и тайм-ауты.
Код:
/*
class: Geolocalizer
- Handles location triangulation and calculations.
-- Returns various prototypes to fetch position from strings or coords or dragons or whatever.
*/
var Geolocalizer = function () {
this.queue = []; // queue handler..
this.resolved = [];
this.geolocalizer = new google.maps.Geocoder();
};
Geolocalizer.prototype = {
/*
@fn: Localize
@scope: resolve single or multiple queued requests.
@params: <array> needles
@returns: <deferred> object
*/
Localize: function ( needles ) {
var that = this;
// Enqueue the needles.
for ( var i = 0; i < needles.length; i++ ) {
this.queue.push(needles[i]);
}
// return a promise and resolve it after every element have been fetched (either with success or failure), then reset the queue.
return new Promise (
function (resolve, reject) {
that.resolveQueueElements().then(function(resolved){
resolve(resolved);
that.queue = [];
that.resolved = [];
});
}
);
},
/*
@fn: resolveQueueElements
@scope: resolve queue elements.
@returns: <deferred> object (promise)
*/
resolveQueueElements: function (callback) {
var that = this;
return new Promise(
function(resolve, reject) {
// Loop the queue and resolve each element.
// Prevent QUERY_LIMIT by delaying actions by one second.
(function loopWithDelay(such, queue, i){
console.log("Attempting the resolution of " +queue[i-1]);
setTimeout(function(){
such.find(queue[i-1], function(res){
such.resolved.push(res);
});
if (--i) {
loopWithDelay(such,queue,i);
}
}, 1000);
})(that, that.queue, that.queue.length);
// Check every second if the queue has been cleared.
var it = setInterval(function(){
if (that.queue.length == that.resolved.length) {
resolve(that.resolved);
clearInterval(it);
}
}, 1000);
}
);
},
/*
@fn: find
@scope: resolve an address from string
@params: <string> s, <fn> Callback
*/
find: function (s, callback) {
this.geolocalizer.geocode({
"address": s
}, function(res, status){
if (status == google.maps.GeocoderStatus.OK) {
var r = {
originalString: s,
lat: res[0].geometry.location.lat(),
lng: res[0].geometry.location.lng()
};
callback(r);
}
else {
callback(undefined);
console.log(status);
console.log("could not locate " + s);
}
});
}
};
Обратите внимание, что это просто часть большой библиотеки, которую я написал для работы с картами Google, поэтому комментарии могут сбивать с толку.
Использование довольно простое, однако подход немного отличается: вместо того, чтобы зацикливаться и разрешать по одному адресу за раз, вам нужно будет передать массив адресов в класс, и он будет обрабатывать поиск сам, возвращая обещание, которое после разрешения возвращает массив, содержащий все разрешенные (и неразрешенные) адреса.
Пример:
var myAmazingGeo = new Geolocalizer();
var locations = ["Italy","California","Dragons are thugs...","China","Georgia"];
myAmazingGeo.Localize(locations).then(function(res){
console.log(res);
});
Вывод на консоль:
Attempting the resolution of Georgia
Attempting the resolution of China
Attempting the resolution of Dragons are thugs...
Attempting the resolution of California
ZERO_RESULTS
could not locate Dragons are thugs...
Attempting the resolution of Italy
Объект возвращен:
Вся магия происходит здесь:
(function loopWithDelay(such, queue, i){
console.log("Attempting the resolution of " +queue[i-1]);
setTimeout(function(){
such.find(queue[i-1], function(res){
such.resolved.push(res);
});
if (--i) {
loopWithDelay(such,queue,i);
}
}, 750);
})(that, that.queue, that.queue.length);
По сути, он зацикливает каждый элемент с задержкой 750 миллисекунд между каждым из них, следовательно, каждые 750 миллисекунд адрес контролируется.
Я провел еще несколько тестов и обнаружил, что даже за 700 миллисекунд я иногда получал ошибку QUERY_LIMIT, в то время как с 750 у меня вообще не было никаких проблем.
В любом случае, не стесняйтесь редактировать 750 выше, если вы чувствуете себя в безопасности, обрабатывая более низкую задержку.
Надеюсь, это поможет кому-то в ближайшем будущем;)