MongoDB
 sql >> Database >  >> NoSQL >> MongoDB

Come posso caricare più oggetti con MongoDB e Node.js?

Usa bulkWrite API per effettuare gli aggiornamenti:

var bulkUpdateOps = genres.map(function(doc) {
    return {
        "updateOne": {
            "filter": { "_id": doc.id },
            "update": { "$set": { "name": doc.name } },
            "upsert": true
        }
    };
});

db.collection('genres').bulkWrite(bulkUpdateOps, function(err, r) {
    // do something with result
})

Se hai a che fare con array più grandi, ad esempio> 1000, considera l'invio delle scritture al server in batch di 500, il che ti offre prestazioni migliori poiché non invii tutte le richieste al server, solo una volta ogni 500 richieste:

var bulkUpdateOps = [],
    counter = 0;

genres.forEach(function(doc) {
    bulkUpdateOps.push({
        "updateOne": {
            "filter": { "_id": doc.id },
            "update": { "$set": { "name": doc.name } },
            "upsert": true
        }
    });
    counter++;

    if (counter % 500 == 0) {
        db.collection('genres').bulkWrite(bulkUpdateOps, function(err, r) {
            // do something with result
        });
        bulkUpdateOps = [];
    }
})

if (counter % 500 != 0) {
    db.collection('genres').bulkWrite(bulkUpdateOps, function(err, r) {
        // do something with the result
    });
}