MongoDB
 sql >> Datenbank >  >> NoSQL >> MongoDB

Mongodb-Aggregation mit 2 Sammlungen

Abhängig von den Anforderungen Ihres Systems könnte das Modelldesign meiner Meinung nach vereinfacht werden, indem Sie nur eine Sammlung erstellen, die alle Attribute in collection1 zusammenführt und collection2 . Als Beispiel:

var mongoose = require('mongoose');
var Schema = mongoose.Schema;

var accountSchema = new Schema({
    moneyPaid:{
        type: Number
    },
    isBook: {
       type: Boolean,
    }
}, {collection: 'account'});

var Account = mongoose.model('Account', accountSchema);

in dem Sie dann die Aggregationspipeline ausführen können

var pipeline = [
    { 
        "$match": { "isBook" : true }
    },
    { 
        "$group": {
            "_id": null,
            "total": { "$sum": "$moneyPaid"}
        }
    }
];

Account.aggregate(pipeline, function(err, results) {
    if (err) throw err;
    console.log(JSON.stringify(results, undefined, 4));
});

Mit dem aktuellen Schemadesign müssten Sie jedoch zuerst die IDs für Sammlung1 abrufen, die den Wert isBook true in collection2 haben und verwenden Sie dann diese ID-Liste als $match Abfrage in collection1 Modellaggregation, etwa wie folgt:

collection2Model.find({"isBook": true}).lean().exec(function (err, objs){
    var ids = objs.map(function (o) { return o.coll_id; }),
        pipeline = [
            { 
                "$match": { "_id" : { "$in": ids } }
            },
            { 
                "$group": {
                    "_id": null,
                    "total": { "$sum": "$moneyPaid"}
                }
            }
        ];

    collection1Model.aggregate(pipeline, function(err, results) {
        if (err) throw err;
        console.log(JSON.stringify(results, undefined, 4));
    });
});