[mongodb] mongodb / mongoose findMany-ID가 배열로 나열된 모든 문서를 찾습니다.

_ids 배열이 있고 그에 따라 모든 문서를 가져오고 싶습니다. 가장 좋은 방법은 무엇입니까?

같은 …

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

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

배열은 수백 개의 _id를 포함 할 수 있습니다.



답변

findmongoose 의 함수는 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',
];

콜백과 함께 몽구스 사용하기 :

Model.find().where('_id').in(ids).exec((err, records) => {});

비동기 기능으로 몽구스 사용하기 :

records = await Model.find().where('_id').in(ids).exec();

실제 모델로 모델을 변경하는 것을 잊지 마십시오.


답변

이 형식의 쿼리 사용

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


답변

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


답변