我有两个系列: 用户:
{
_id: ObjectId('123...'),
docs: [
ObjectId('512d5793abb900bf3e000002'),
ObjectId('512d5793abb900bf3e000001')
]
}
文档:
{
_id: ObjectId('512d5793abb900bf3e000002'),
name: 'qwe',
...
}
{
_id: ObjectId('512d5793abb900bf3e000001'),
name: 'qwe2',
...
}
我想从ids获取文档。我试试这个solution,但我收到了这条消息:
{db:{domain:null, _events:{}, _maxListeners:10, databaseName:'test',...
答案 0 :(得分:1)
您的邮件似乎是mongodb cursor的查找返回的native mongodb driver。
要获取实际数据,您应该使用光标的toArray
函数:
var ObjectID = require('mongodb').ObjectID;
// you shall wrap each id in ObjectID
var idsProjects = [
ObjectID('512d5793abb900bf3e000002'),
ObjectID('512d5793abb900bf3e000001')
];
collectionProjects.find({
_id: { $in: idsProjects }
},{
_id: -1, // use -1 to skip a field
name: 1
}).toArray(function (err, docs) {
// docs array here contains all queried docs
if (err) throw err;
console.log(docs);
});
但是我建议你从原生的mongodb驱动程序切换到像monk那样的包装器。
答案 1 :(得分:0)
如果您关心列表的顺序,Leonid先生的答案可能无法按预期进行。
那是因为find
获得的_id等于列表中任何_ids $in
的文档,因此输出文档将按集合本身的主要顺序而不是输入列表的顺序进行排序。
要解决此问题,您只需将普通的findOne
与for循环一起使用即可。
代码如下:
var ObjectID = require('mongodb').ObjectID;
var idsProjects = [
'512d5793abb900bf3e000002',
'512d5793abb900bf3e000001'
];
let usersList = new Array();
for (let index = 0; index < idsProjects.length; index++) {
const myID = idsProjects[index];
const query = { _id: ObjectID(myID) };
const options = {
projection: {name: 1 };
var user= await collectionProjects.findOne(query,options);
usersList.push(user);
}
// that's it,
// here we have a list of users 'usersList'
//with same order of the input ids' list.
console.log(usersList);