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

问题描述 投票:0回答:10

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

类似...

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

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

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

node.js mongodb mongoose filtering
10个回答
664
投票

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

部分

175
投票

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

不要忘记将模型更改为您的实际模型。


24
投票

结合 Daniel 和 snnsnn 的答案:

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

简单干净的代码。它有效并经过测试:

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

13
投票

使用这种查询格式

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

10
投票

从 mongoDB v4.2 和 mongoose 5.9.9 开始,这段代码对我来说工作得很好:

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

并且 Id 的类型可以是

ObjectId
String


8
投票

如果您使用的是 async-await 语法,则可以使用

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

6
投票

node.js 和 MongoChef 都强制我转换为 ObjectId。这是我用来从数据库中获取用户列表并获取一些属性的方法。注意第 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);
            }
        }
    });
}

4
投票

我尝试了下面的方法,它对我有用。

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

0
投票

以上答案不适用于

mongodb
6。 我的解决方法;

import { ObjectId } from "mongodb";

const ids = ["6786b6789020e854f0099c0a", "6786b6789020e854f0099c0b"]
const userList = await db.collection("user")
    .find({ _id: { $in: ids.map(_id => ObjectId.createFromHexString(_id)) } })
    .toArray();

-1
投票

我正在使用此查询来查找 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();
});
© www.soinside.com 2019 - 2024. All rights reserved.