0

在以下情况下,我需要您的专业知识。

我有一个这样的集合:

"array" : {
    "item" : 1,
    "1" : [100, 130, 255],
}

"array" : {
    "item" : 2,
    "1" " [0, 70, 120],
}

"array" : {
    "item" : 3,
    "1" : [100, 90, 140],

}

我正在查询这个集合:

 db.test.find(array.1 : {$in : [100, 80, 140]});

这将返回项目编号 1 和 3,因为它将提供的数组中的任何值与集合中的值匹配。但是我想对这个数组进行排序,以便给我更多相似数字的结果。结果应分别为第 3 项和第 1 项。

但是,我可以获取结果并使用 k 最近邻算法对数组进行排序。然而,处理庞大的数据集使得这非常不受欢迎(或者是吗?) MongoDB 中是否有任何功能可以提供这个?我正在使用Java,有什么算法可以足够快地实现这一目标吗?任何帮助表示赞赏。

谢谢。

4

1 回答 1

5

您可以使用聚合框架来做到这一点,尽管这并不容易。$in问题在于聚合框架中没有运算符。因此,您必须以编程方式匹配数组中的每个项目,这会变得非常混乱。编辑:重新排序,以便首先匹配,以防$in有助于您过滤掉大部分。

db.test.aggregate(
  {$match:{"array.1":{$in:[100, 140,80]}}}, // filter to the ones that match
  {$unwind:"$array.1"}, // unwinds the array so we can match the items individually
  {$group: { // groups the array back, but adds a count for the number of matches
    _id:"$_id", 
    matches:{
      $sum:{
        $cond:[
          {$eq:["$array.1", 100]}, 
          1, 
          {$cond:[
            {$eq:["$array.1", 140]}, 
            1, 
            {$cond:[
              {$eq:["$array.1", 80]}, 
              1, 
              0
              ]
            }
            ]
          }
          ]
        }
      }, 
    item:{$first:"$array.item"}, 
    "1":{$push:"$array.1"}
    }
  }, 
  {$sort:{matches:-1}}, // sorts by the number of matches descending
  {$project:{matches:1, array:{item:"$item", 1:"$1"}}} // rebuilds the original structure
);

输出:

{
"result" : [
    {
        "_id" : ObjectId("50614c02162d92b4fbfa4448"),
        "matches" : 2,
        "array" : {
            "item" : 3,
            "1" : [
                100,
                90,
                140
            ]
        }
    },
    {
        "_id" : ObjectId("50614bb2162d92b4fbfa4446"),
        "matches" : 1,
        "array" : {
            "item" : 1,
            "1" : [
                100,
                130,
                255
            ]
        }
    }
],
"ok" : 1
}

如果您将matches字段排除在最后,则可以将其排除在结果之外$project

于 2012-09-25T07:08:40.573 回答