我有一个_ids数组,我想相应地获取所有文档,最好的方法是什么?
就像……
// doesn't work ... of course ...
model.find({
'_id' : [
'4ed3ede8844f0f351100000c',
'4ed3f117a844e0471100000d',
'4ed3f18132f50c491100000e'
]
}, function(err, docs){
console.log(docs);
});
该数组可能包含数百个_id。
mongoose中的find函数是对mongoDB的完整查询。这意味着您可以使用方便的mongoDB $in子句,其工作方式与SQL版本的相同。
model.find({
'_id': { $in: [
mongoose.Types.ObjectId('4ed3ede8844f0f351100000c'),
mongoose.Types.ObjectId('4ed3f117a844e0471100000d'),
mongoose.Types.ObjectId('4ed3f18132f50c491100000e')
]}
}, function(err, docs){
console.log(docs);
});
这种方法即使对于包含数万个id的数组也能很好地工作。(参见有效地确定记录的所有者)
我建议任何使用mongoDB的人阅读优秀的官方mongoDB文档的高级查询部分
我正在使用这个查询来查找mongo GridFs中的文件。我想通过它的id来获取。
对我来说,这个解决方案是有效的:Ids类型的ObjectId。
gfs.files
.find({ _id: mongoose.Types.ObjectId('618d1c8176b8df2f99f23ccb') })
.toArray((err, files) => {
if (!files || files.length === 0) {
return res.json('no file exist');
}
return res.json(files);
next();
});
这是无效的:字符串的Id类型
gfs.files
.find({ _id: '618d1c8176b8df2f99f23ccb' })
.toArray((err, files) => {
if (!files || files.length === 0) {
return res.json('no file exist');
}
return res.json(files);
next();
});
Ids是对象id的数组:
const ids = [
'4ed3ede8844f0f351100000c',
'4ed3f117a844e0471100000d',
'4ed3f18132f50c491100000e',
];
使用回调的Mongoose:
Model.find().where('_id').in(ids).exec((err, records) => {});
使用异步功能的Mongoose:
const records = await Model.find().where('_id').in(ids).exec();
或者更简洁:
const records = await Model.find({ '_id': { $in: ids } });
不要忘记改变模型与您的实际模型。