mongodb/mongoose findMany -查找数组中列出id的所有文档

我有一个_ids数组,我想相应地获取所有文档,最好的方法是什么?

就像……

// doesn't work ... of course ...


model.find({
'_id' : [
'4ed3ede8844f0f351100000c',
'4ed3f117a844e0471100000d',
'4ed3f18132f50c491100000e'
]
}, function(err, docs){
console.log(docs);
});

该数组可能包含数百个_id。

288763 次浏览

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文档高级查询部分

node.js和MongoChef都迫使我转换为ObjectId。这就是我用来从DB中获取用户列表并获取一些属性的方法。注意第8行上的类型转换。

// this will complement the list with userName and userPhotoUrl
// based on userId field in each item
augmentUserInfo = function(list, callback) {
var userIds = [];
var users = [];         // shortcut to find them faster afterwards


for (l in list) {       // first build the search array
var o = list[l];


if (o.userId) {
userIds.push(new mongoose.Types.ObjectId(o.userId)); // for Mongo query
users[o.userId] = o; // to find the user quickly afterwards
}
}


db.collection("users").find({
_id: {
$in: userIds
}
}).each(function(err, user) {
if (err) {
callback(err, list);
} else {
if (user && user._id) {
users[user._id].userName = user.fName;
users[user._id].userPhotoUrl = user.userPhotoUrl;
} else { // end of list
callback(null, list);
}
}
});
}

使用这种查询格式

let arr = _categories.map(ele => new mongoose.Types.ObjectId(ele.id));


Item.find({ vendorId: mongoose.Types.ObjectId(_vendorId) , status:'Active'})
.where('category')
.in(arr)
.exec();

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 } });

不要忘记改变模型与您的实际模型。

综合Daniel和snnsnn的回答:

let ids = ['id1', 'id2', 'id3'];
let data = await MyModel.find({
'_id': {
$in: ids
}
});

简单干净的代码。它的工作和测试针对:

"mongodb": "^3.6.0",
"mongoose": "^5.10.0",

这段代码适用于mongoDB v4.2和mongoose 5.9.9:

const Ids = ['id1','id2','id3']
const results = await Model.find({ _id: Ids})

id的类型可以是ObjectIdString

我尝试如下,它为我工作。

var array_ids = [1, 2, 6, 9]; // your array of ids


model.find({
'_id': {
$in: array_ids
}
}).toArray(function(err, data) {
if (err) {
logger.winston.error(err);
} else {
console.log("data", data);
}
});

如果你正在使用async-await语法,你可以使用

const allPerformanceIds = ["id1", "id2", "id3"];
const findPerformances = await Performance.find({
_id: {
$in: allPerformanceIds
}
});

我正在使用这个查询来查找mongo GridFs中的文件。我想通过它的id来获取。

对我来说,这个解决方案是有效的:Ids type of 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 type of string不起作用

gfs.files
.find({ _id: '618d1c8176b8df2f99f23ccb' })
.toArray((err, files) => {
if (!files || files.length === 0) {
return res.json('no file exist');
}
return res.json(files);
next();
});