sql >> Databasteknik >  >> NoSQL >> MongoDB

Mungo | Mellanvara | Återställningsoperationer som utförs av pre/post-krokar när ett fel uppstår

TLDR; Mongoose-mellanvara var inte designad för detta.

Den här metoden för att infoga transaktioner korrigerar faktiskt mellanvarufunktionaliteten, och du skapar i huvudsak ett api helt separat från mongoose mellanprogram.

Vad som skulle vara bättre är att invertera logiken för din borttagningsfråga i en separat funktion.

Enkel och avsedd lösning

Tillåt en transaktionshanteringsmetod att göra sin magi och skapa en separat borttagningsmetod för din överordnade modell. Mongoose wraps mongodb.ClientSession.prototype.withTransaction med mongoose.Connection.prototype.transaction och vi behöver inte ens instansiera eller hantera en session! Titta på skillnaden mellan längden på detta och det nedan. Och du sparar den mentala huvudvärken att komma ihåg det interna i den mellanvaran till priset av en separat funktion.


const parentSchema = new mongoose.Schema({
    name: String,
    children: [{ type: mongoose.Schema.Types.ObjectId, ref: "Child" }],
});

const childSchema = new mongoose.Schema({
    name: String,
    parent: { type: mongoose.Schema.Types.ObjectId, ref: "Parent" },
});

// Assume `parent` is a parent document here
async function fullRemoveParent(parent) {
    // The document's connection
    const db = parent.db;

    // This handles everything with the transaction for us, including retries
    // session, commits, aborts, etc.
    await db.transaction(async function (session) {
        // Make sure to associate all actions with the session
        await parent.remove({ session });
        await db
            .model("Child")
            .deleteMany({ _id: { $in: parent.children } })
            .session(session);
    });

    // And done!
}

Liten tillägg

Ett annat sätt att göra detta enkelt är att registrera en mellanprogramvara som helt enkelt ärver en session iff _ frågan har en registrerad. Kanske ger ett felmeddelande om en transaktion inte har påbörjats.

const parentSchema = new mongoose.Schema({
    name: String,
    children: [{ type: mongoose.Schema.Types.ObjectId, ref: "Child" }],
});

const childSchema = new mongoose.Schema({
    name: String,
    parent: { type: mongoose.Schema.Types.ObjectId, ref: "Parent" },
});

parentSchema.pre("remove", async function () {
    // Look how easy!! Just make sure to pass a transactional 
    // session to the removal
    await this.db
        .model("Child")
        .deleteMany({ _id: { $in: parent.children } })
        .session(this.$session());

    // // If you want to: throw an error/warning if you forgot to add a session
    // // and transaction
    // if(!this.$session() || !this.$session().inTransaction()) {
    //    throw new Error("HEY YOU FORGOT A TRANSACTION.");
    // }
});

// Assume `parent` is a parent document here
async function fullRemoveParent(parent) {
    db.transaction(async function(session) {
        await parent.remove({ session });
    });
}

Riskabel och komplex lösning

Det här fungerar, och är totalt, fruktansvärt komplext. Rekommenderas inte. Kommer troligen att gå sönder någon dag eftersom det är beroende av krångligheterna i mongoose API. Jag vet inte varför jag kodade detta, inkludera det inte i dina projekt .

import mongoose from "mongoose";
import mongodb from "mongodb";

const parentSchema = new mongoose.Schema({
    name: String,
    children: [{ type: mongoose.Schema.Types.ObjectId, ref: "Child" }],
});

const childSchema = new mongoose.Schema({
    name: String,
    parent: { type: mongoose.Schema.Types.ObjectId, ref: "Parent" },
});

// Choose a transaction timeout
const TRANSACTION_TIMEOUT = 120000; // milliseconds

// No need for next() callback if using an async function.
parentSchema.pre("remove", async function () {
    // `this` refers to the document, not the query
    let session = this.$session();

    // Check if this op is already part of a session, and start one if not.
    if (!session) {
        // `this.db` refers to the documents's connection.
        session = await this.db.startSession();

        // Set the document's associated session.
        this.$session(session);

        // Note if you created the session, so post can clean it up.
        this.$locals.localSession = true;

        //
    }

    // Check if already in transaction.
    if (!session.inTransaction()) {
        await session.startTransaction();

        // Note if you created transaction.
        this.$locals.localTransaction = true;

        // If you want a timeout
        this.$locals.startTime = new Date();
    }

    // Let's assume that we need to remove all parent references in the
    // children. (just add session-associated ops to extend this)
    await this.db
        .model("Child") // Child model of this connection
        .updateMany(
            { _id: { $in: this.children } },
            { $unset: { parent: true } }
        )
        .session(session);
});

parentSchema.post("remove", async function (parent) {
    if (this.$locals.localTransaction) {
        // Here, there may be an error when we commit, so we need to check if it
        // is a 'retryable' error, then retry if so.
        try {
            await this.$session().commitTransaction();
        } catch (err) {
            if (
                err instanceof mongodb.MongoError &&
                err.hasErrorLabel("TransientTransactionError") &&
                new Date() - this.$locals.startTime < TRANSACTION_TIMEOUT
            ) {
                await parent.remove({ session: this.$session() });
            } else {
                throw err;
            }
        }
    }

    if (this.$locals.localSession) {
        await this.$session().endSession();
        this.$session(null);
    }
});

// Specific error handling middleware if its really time to abort (clean up
// the injections)
parentSchema.post("remove", async function (err, doc, next) {
    if (this.$locals.localTransaction) {
        await this.$session().abortTransaction();
    }

    if (this.$locals.localSession) {
        await this.$session().endSession();
        this.$session(null);
    }

    next(err);
});




  1. grupp MongoDB-insamling efter månad och aggregerad intäkt för churn/intäktsdiagram

  2. Hur man skapar, visar och släpper samlingar i MongoDB

  3. Mongo Fråga $gt,$lt

  4. Kör kartreducering för alla nycklar i samlingar - mongodb