NodeJS

时间:2016-05-15 15:02:38

标签: javascript node.js asynchronous geocode

是否可以等待异步调用(geocode.reverseGeocode)?我想循环浏览目录中的JPG文件,获取纬度和范围。来自他们的EXIF数据和反向地理编码的经度来获取拍摄这些照片的国家/城市。最后,它需要向文件添加OSX标记。但我需要多次运行NodeJS脚本才能获得所有标签。 (因为文件迭代器不等待地理编码过程)。等待此请求的最佳解决方案是什么?

您可以在此处找到我的代码: https://github.com/Acoustics/jbTagify/blob/development/index.js

提前致谢

2 个答案:

答案 0 :(得分:2)

处理多个异步调用的一种简单方法是使用promises,并且不需要同步运行它们并等待一个完成。您可以使用Node中可用的本机promise,也可以使用bluebird之类的promise库,它可以 promisify 执行异步操作的其他库。

最简单的用例看起来像

var Promise = require("bluebird");
var geocoder = Promise.promisifyAll(require('geocoder'))

geocoder.geocodeAsync("Atlanta, GA")
.then(function(data){
    var lat = data.results[0].geometry.location.lat;
    var lng = data.results[0].geometry.location.lng;
    console.log("Coordinates for Atlanta, GA: " + lat + "," + lng);
});

使用promisified函数geocodeAsync(原始函数名称+ Async),它返回一个带有返回数据的promise作为已解析的值。

在你想要执行多个异步代码的情况下,你可以轻松地创建一个promises数组,然后让它们并行运行并在所有promise都被解析后处理结果。

var citiesToGeocode = ["Miami, FL", "New York", "Orlando, FL", "Rio de Janeiro, Brazil"];
var geocodePromises = [];
for (var i = 0; i < citiesToGeocode.length-1; ++i) {
    geocodePromises.push(geocoder.geocodeAsync(citiesToGeocode[i]));
}

Promise.all(geocodePromises).then(function(result) {
    result.forEach(function(geocodeResponse){
        console.log("Coordinates for " + geocodeResponse.results[0].formatted_address +": " + geocodeResponse.results[0].geometry.location.lat + "," + geocodeResponse.results[0].geometry.location.lng);
    });
});

使用相同的方法,您可以使用reverseGeocodeAsync从坐标中查找信息。

答案 1 :(得分:0)

这是我的代码。如您所见,我需要在根级别收集承诺。我的目标是获得一组承诺,其中包含带有地理编码数据的文件名。

var
    _ = require('lodash'),
    path = require('path'),
    pkg = require(path.join(__dirname, 'package.json')),
    fs = require('fs'),
    promise = require('bluebird'),
    exif = require('exif').ExifImage,
    geocoder = promise.promisifyAll(require('geocoder')),
    exec = require('child_process').exec,
    config = require('nconf').file({
        file: path.join(__dirname, 'config.json')
    });

var geocodePromises = []; // I want to collect all promises here

fs.readdir(path.join(__dirname, 'files'), function (err, files) {
    files.filter(function (file) {
        var ext = file.split('.').pop(),
            cond;

        cond = file; // File needs to exist
        cond = cond && file[0] != '.'; // Exclude hidden files
        cond = cond && config.get("files:support").indexOf(ext) > -1; // File needs to be supported

        return cond;
    }).forEach(function (file) {
        file = path.join(__dirname, 'files/') + file;

        new exif({
            image: file
        }, function (err, data) {
            if (!err) {
                if (data.gps) {
                    var location = parseGPS(data.gps); // Obtain lat & lng

                    geocodePromises.push(geocoder.reverseGeocodeAsync(location.lat, location.lng));
                } else {
                    console.log("Error: GPS data not available");
                }
            } else {
                console.log("Error: " + err);
            }
        });
    });

    Promise.all(geocodePromises).then(function (result) {
        console.log(result); // Returns an empty array []
        // Each result should contain the filename and geocoded location

        /*
            Example:

            {
                "file": "1.jpg",
                "location": {
                    <google reverseGeocode object>
                }
            }
        */
    });

    //exec('killall Finder');
});

function parseGPS(gps) {
    var lat = gps.GPSLatitude,
        lng = gps.GPSLongitude,
        latRef = gps.GPSLatitudeRef || "N",
        lngRef = gps.GPSLongitudeRef || "W";

    // Convert coordinates to WGS84 decimal
    lat = (lat[0] + lat[1] / 60 + lat[2] / 3600) * (latRef == "N" ? 1 : -1);
    lng = (lng[0] + lng[1] / 60 + lng[2] / 3600) * (lngRef == "W" ? -1 : 1);

    // Return lat, lng
    return {
        lat,
        lng
    };
};