mongodb/mongoose find Many - 배열에 나열된 ID를 가진 모든 문서를 찾습니다.
저는 _ids 배열이 있고 그에 따라 모든 문서를 가져오고 싶은데 어떻게 하면 좋을까요?
뭐랄까...
// doesn't work ... of course ...
model.find({
'_id' : [
'4ed3ede8844f0f351100000c',
'4ed3f117a844e0471100000d',
'4ed3f18132f50c491100000e'
]
}, function(err, docs){
console.log(docs);
});
어레이에 수백 개의 _id가 포함될 수 있습니다.
그find
mongoose의 함수는 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 문서의 상세 쿼리 섹션을 읽어보십시오.
ID는 오브젝트 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",
이 형식의 쿼리 사용
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();
이 코드는 mongoDB v4.2 및 mongoose 5.9.9에서 정상적으로 작동합니다.
const Ids = ['id1','id2','id3']
const results = await Model.find({ _id: Ids})
ID는 타입으로 할 수 있습니다.ObjectId
또는String
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);
}
}
});
}
async-module 구문을 사용하는 경우,
const allPerformanceIds = ["id1", "id2", "id3"];
const findPerformances = await Performance.find({
_id: {
$in: allPerformanceIds
}
});
나는 아래와 같이 시도했고 그것은 나에게 효과가 있었다.
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);
}
});
이 쿼리를 사용하여 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();
});
언급URL : https://stackoverflow.com/questions/8303900/mongodb-mongoose-findmany-find-all-documents-with-ids-listed-in-array
'programing' 카테고리의 다른 글
회전 슬라이더 모바일 배경 이미지 변경 (0) | 2023.03.23 |
---|---|
스프링 부트 devtools - IntelliJ에서는 정적 콘텐츠 새로고침이 작동하지 않습니다. (0) | 2023.03.23 |
ASP.Net MVC Ajax 폼과 jQuery 검증 (0) | 2023.03.18 |
MongoDB mongore store 및 레코드가 있는 기존 컬렉션 (0) | 2023.03.18 |
Angular를 통해 html을 출력하는 방법JS 템플릿? (0) | 2023.03.18 |