4

我有以下 MongoDB 文档:

{
 _id: ObjectId(5), 
 items: [1,2,3,45,4,67,9,4]
}

我需要使用过滤项目 (1, 9, 4) 获取该文档

结果:

{
 _id: ObjectId(5), 
 items: [1,9,4]
}

我尝试了 $elemMatch 投影,但它只返回一项:

A.findById(ObjectId(5))
   .select({ items: { $elemMatch: {$in: [1, 9, 4]}}})
   .exec(function (err, docs) {
      console.log(doc); // { _id: ObjectId(5), items: [ 1 ] }
      done(err);
});

如何获取包含项目的文档:仅 1、9、4?

4

3 回答 3

4

A.items = A.items.filter( function(i) {return i == 1 || i == 9 || i == 4} );

于 2012-09-26T03:07:05.670 回答
3

在现代版本的 MongoDB (3.2+) 中,您可以使用$filter运算符选择要根据指定条件返回的数组字段的子集。返回的元素将按照字段数组中的原始顺序。

mongo外壳中的示例:

db.items.aggregate([
    { $match : {
        _id: 5
    }},
    { $project: {
        items: {
            $filter: {
                input: "$items",
                cond: {
                    "$in": ["$$this", [1, 9, 4]]
                }
            }
        }
     }
}])

注意:因为这个问题中的原始数组有4两次值,该$filter命令将返回两次出现:

{ "_id" : 5, "items" : [ 1, 4, 9, 4 ] }

对于仅返回唯一匹配项的替代方法,可以使用$setIntersection运算符:

db.items.aggregate([
    { $match : {
        _id: 5
    }},        
    { $project: {
        items: {
            $setIntersection: ['$items', [1,4,9]] 
        }
    }}
])

这将返回:{ "_id" : 5, "items" : [ 1, 4, 9 ] }

(以下2012年9月的原始答案)

如果您希望文档操作发生在服务器端,您可以使用MongoDB 2.2 中的聚合框架:

db.items.aggregate(

  // Match the document(s) of interest
  { $match : {
     _id: 5
  }},

  // Separate the items array into a stream of documents
  { $unwind : "$items" },

  // Filter the array
  { $match : {
    items: { $in: [1, 9, 4] }
  }},

  // Group the results back into a result document
  { $group : {
     _id: "$_id",
     items: { $addToSet : "$items" }
  }}
)

结果:

{
    "result" : [
        {
            "_id" : 5,
            "items" : [
                9,
                4,
                1
            ]
        }
    ],
    "ok" : 1
}
于 2012-09-26T03:51:02.110 回答
0

在你的 node.js 应用程序中使用下划线:

npm install underscore

var _ = require('underscore');

您可以使用数组的交集函数:

 intersection_.intersection(*arrays)

计算作为所有数组交集的值列表。结果中的每个值都存在于每个数组中。

_.intersection([1, 2, 3], [101, 2, 1, 10], [2, 1]);
=> [1, 2]

http://documentcloud.github.com/underscore/#intersection

于 2012-09-26T04:17:02.593 回答