Domanda

C'è un modo per scrivere una query elimina/deleteall come Findall?

Ad esempio, voglio fare qualcosa del genere (supponendo che MyModel sia un modello sequelum ...):

MyModel.deleteAll({ where: ['some_field != ?', something] })
    .on('success', function() { /* ... */ });
È stato utile?

Soluzione

Per chiunque utilizzi la versione 3 e oltre, usa:

Model.destroy({
    where: {
        // criteria
    }
})

Sequelalizzare la documentazione - Tutorial sequelistica

Altri suggerimenti

Ho cercato in profondità nel codice, passo dopo passo nei seguenti file:

https://github.com/sdepold/sevelize/blob/master/test/model/destroy.js

https://github.com/sdepold/sevelize/blob/master/lib/model.js#l140

https://github.com/sdepold/sevelize/blob/master/lib/query-interface.js#l207-217

https://github.com/sdepold/sevelize/blob/master/lib/connectors/mysql/query-generator.js

Quello che ho trovato:

Non esiste un metodo deleteall, c'è un metodo distrutto () che puoi chiamare su un record, ad esempio:

Project.find(123).on('success', function(project) {
  project.destroy().on('success', function(u) {
    if (u && u.deletedAt) {
      // successfully deleted the project
    }
  })
})

Non so se la domanda è ancora rilevante, ma ho trovato quanto segue sulla documentazione di Sequelize.

User.destroy('`name` LIKE "J%"').success(function() {
    // We just deleted all rows that have a name starting with "J"
})

http://sevelizejs.com/blog/state-of-v1-7-0

Spero che sia d'aiuto!

Questo esempio mostra come ti promettono invece di callback.

Model.destroy({
   where: {
      id: 123 //this will be your id that you want to delete
   }
}).then(function(rowDeleted){ // rowDeleted will return number of rows deleted
  if(rowDeleted === 1){
     console.log('Deleted successfully');
   }
}, function(err){
    console.log(err); 
});

Controlla questo link per maggiori informazionihttp://docs.sequelizejs.com/en/latest/api/model/#destroyoptions-promiseinteger

Nella nuova versione, puoi provare qualcosa del genere

function (req,res) {    
        model.destroy({
            where: {
                id: req.params.id
            }
        })
        .then(function (deletedRecord) {
            if(deletedRecord === 1){
                res.status(200).json({message:"Deleted successfully"});          
            }
            else
            {
                res.status(404).json({message:"record not found"})
            }
        })
        .catch(function (error){
            res.status(500).json(error);
        });

Ho scritto qualcosa del genere per le vele qualche tempo fa, nel caso in cui ti risparmia un po 'di tempo:

Esempio di utilizzo:

// Delete the user with id=4
User.findAndDelete(4,function(error,result){
  // all done
});

// Delete all users with type === 'suspended'
User.findAndDelete({
  type: 'suspended'
},function(error,result){
  // all done
});

Fonte:

/**
 * Retrieve models which match `where`, then delete them
 */
function findAndDelete (where,callback) {

    // Handle *where* argument which is specified as an integer
    if (_.isFinite(+where)) {
        where = {
            id: where
        };
    }

    Model.findAll({
        where:where
    }).success(function(collection) {
        if (collection) {
            if (_.isArray(collection)) {
                Model.deleteAll(collection, callback);
            }
            else {
                collection.destroy().
                success(_.unprefix(callback)).
                error(callback);
            }
        }
        else {
            callback(null,collection);
        }
    }).error(callback);
}

/**
 * Delete all `models` using the query chainer
 */
deleteAll: function (models) {
    var chainer = new Sequelize.Utils.QueryChainer();
    _.each(models,function(m,index) {
        chainer.add(m.destroy());
    });
    return chainer.run();
}

da: orm.js.

Spero possa aiutare!

Ecco un ES6 che utilizza l'esempio di attesa / asincrone:

    async deleteProduct(id) {

        if (!id) {
            return {msg: 'No Id specified..', payload: 1};
        }

        try {
            return !!await products.destroy({
                where: {
                    id: id
                }
            });
        } catch (e) {
            return false;
        }

    }

Si prega di notare che sto usando il !! Operatore di Bang Bang sul risultato dell'attesa che cambierà il risultato in un booleano.

  1. Il modo migliore per eliminare un record è trovarlo in primo luogo (se esiste nella base di dati nello stesso momento in cui si desidera eliminarlo)
  2. Guarda questo codice
const StudentSequelize = require("../models/studientSequelize");
const StudentWork = StudentSequelize.Student;

const id = req.params.id;
    StudentWork.findByPk(id) // here i fetch result by ID sequelize V. 5
    .then( resultToDelete=>{
        resultToDelete.destroy(id); // when i find the result i deleted it by destroy function
    })
    .then( resultAfterDestroy=>{
        console.log("Deleted :",resultAfterDestroy);
    })
    .catch(err=> console.log(err));
Autorizzato sotto: CC-BY-SA insieme a attribuzione
Non affiliato a StackOverflow
scroll top