我的集合有如下字段,存储用户签入(地理坐标)

{
    "_id" : ObjectId("5333c3063b15ea390b3c986a"),
    "userID" : "5332cad33b15eaaf643c986a",
    "timestamp" : ISODate("2014-03-27T06:19:50.129Z"),
    "loc" : {
            "type" : "Point",
            "coordinates" : [
                    76.980286,
                    10.934041
            ]
    }
  }
 {
    "_id" : ObjectId("53353a0d3b15ea063a3c986a"),
    "userID" : "533268983b15ea9f5a3c986c",
    "timestamp" : ISODate("2014-03-28T08:59:57.907Z"),
    "loc" : {
            "type" : "Point",
            "coordinates" : [
                    76.980019,
                    10.934072
            ]
    }
 }
 {
    "_id" : ObjectId("53353a5d3b15eacc393c986c"),
    "userID" : "533268983b15ea9f5a3c986c",
    "timestamp" : ISODate("2014-03-28T09:01:17.479Z"),
    "loc" : {
            "type" : "Point",
            "coordinates" : [
                    76.980057,
                    10.933996
            ]
    }
}

我用geonear来计算距离。
结果应该是最新的用户签入(地理坐标),即基于时间戳进行排序,以获得最新的签入,并根据用户ID进行区分
我正在尝试下面的代码,但没有帮助
db.runCommand(
    {
        "geoNear" : "locations",
        "near" : [76.980286, 10.934041 ],
        "num" : 100,
        "spherical" : true,
        "maxDistance" :1000,
        "query" : {
            "distinct" : { "userID" : true } ,
            "sort" : { "timestamp" : -1 }
        }
    }
)

告诉我哪里错了!

最佳答案

再看看这个,您似乎想要的是.aggregate()表单,它自2.4发行版以来就一直可用:

db.users.aggregate([
    { "$geoNear":  {
          "near" : [76.980286, 10.934041 ],
          "num" : 100,
          "spherical" : true,
          "maxDistance" :1000,
          "distanceField": "calculated"
     }},
     { "$sort": { "timestamp": -1, "calculated": 1 } },
     { "$group": {
         "_id": "$userID",
         "loc": { "$first": "$loc" },
         "calculated": { "$first": "$calculated" }
     }},
])

因此,它所做的是在聚合中使用$geoNear运算符,以便根据“地理索引”在此“投影”一个“距离字段”。实际上,您似乎想要$sort这些结果,但逻辑上要做的是按“时间戳”排序以获取最新值,然后按“计算距离”排序为“最近值”。
操作的最后一部分是需要“distinct”userID值。所以在这里使用$group来获得结果,在使用sort之后,结果应该是在分组边界上找到的$first项。
因此,这将根据“最新”timestamp值为您提供“最接近”给定位置的“不同”用户。
我想这就是你想要的。

关于php - 具有Distinct和Sorted值的MongoDB geoNear,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22727589/

10-12 15:43