我正在将mongodb和mongoose用作我的应用程序的ODM。我有一个保存餐厅位置的文件。模型(模式)如下所示:

var locationSchema = new mongoose.Schema({
    name: {type:String, required:true},
    address: String,
    coords: {type:[Number], index:'2dsphere', required:true},
});


这是我的示例数据:

    "_id" : ObjectId("56b39d9673ff055a098dee71"),
    "name" : "Holycow STEAKHOUSE",
    "address" : "somewhere",
    "coords" : [
        106.7999044,
        -6.2916982
    ]


然后,我用猫鼬从距离餐厅约2公里的某个地方获取餐厅位置。我从mongodb doc上读到,我们必须提供带有地球半径的radiance和distanceMultiplier中的maxDistance参数,因此我将以下代码放入控制器中:

var point = {
        type: "Point",
        coordinates: [106.8047355, -6.2875187] // the test data, approximately 2 km from the restaurant
    }

    var geoOptions = {
        spherical: true,
        num: 10,
        maxDistance: 5 / 6371 , // i set maximum distance to 5 km. to make sure I found the place.
        distanceMultiplier: 6371
    }

Loc.geoNear(point, geoOptions, function(err, results, stats){
            var locations = [];
            if(err){
                console.log(err);
                sendJsonResponse(res, 404, err);
            } else {
                results.forEach(function(doc){
                    locations.push({
                       distance: doc.dis,
                       name: doc.obj.name,
                       address: doc.obj.address,
                       _id: doc.obj._id
                   });
               });
               sendJsonResponse(res, 200, locations);
            }
        });


但找不到餐厅。我已经阅读了两个小时的文档,但仍然没有任何线索。我的代码有什么问题?

最佳答案

尝试这个:

var geoOptions = {
    spherical: true,
    num: 10,
    maxDistance: 5 * 1000 , // Convert kilometers to meters
}


我想我们正在读同一本书。您的代码很熟悉,并且
我也遇到了同样的问题。

您的代码无法正常工作,因为您假定maxDistace使用的是单位弧度。但是,不,naxDistance正在使用仪表。您还需要删除distanceMultiplier,因为它将把您的maxDistance转换为弧度,而不是正确的单位。

尝试以下链接:MongoDB Docs $maxDistance

07-23 06:55