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

m3eecexj  于 2022-11-22  发布在  Go
关注(0)|答案(9)|浏览(165)

我有一个_id数组,我想相应地得到所有的文档,最好的方法是什么?
就像...

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

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

数组可能包含数百个_id。

7xzttuei

7xzttuei1#

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的数组也能很好地工作。(参见Efficiently determine the owner of a record
我建议任何使用mongoDB的人通读优秀的Official mongoDB Docs

oipij1gg

oipij1gg2#

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

不要忘记使用实际模型更改“模型”。

mkshixfv

mkshixfv3#

结合丹尼尔和snnsnn的答案:

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

简单明了的代码。它的工作原理和测试对象:

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

2wnc66cl4#

使用此查询格式

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

qybjjes15#

在mongoDB v4.2和mongoose 5.9.9中,这段代码对我来说很好用:

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

并且Id可以是ObjectIdString类型

knpiaxh1

knpiaxh16#

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

r6hnlfcb7#

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

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

sq1bmfud8#

我试过下面的方法,它对我很有效。

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

lokaqttq9#

我 使用 这个 查询 来 查找 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();
});

格式

相关问题