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

就像……

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

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

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


当前回答

综合Daniel和snnsnn的回答:

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

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

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

其他回答

综合Daniel和snnsnn的回答:

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

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

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

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

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

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

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

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

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

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