web-dev-qa-db-ja.com

Sequelize.jsクエリを削除しますか?

FindAllのようなdelete/deleteAllクエリを書く方法はありますか?

たとえば、次のようなことをしたいです(MyModelがSequelizeモデルであると仮定して...):

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

Sequelizeバージョン3以降を使用している場合は、次を使用します。

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

Sequelizeドキュメント - Sequelizeチュートリアル

180
ncksllvn

私はコードを深く掘り下げて、次のファイルを段階的に調べました。

https://github.com/sdepold/sequelize/blob/master/test/Model/destroy.js

https://github.com/sdepold/sequelize/blob/master/lib/model.js#L14

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

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

私が見つけたもの:

DeleteAllメソッドはなく、レコードに対して呼び出すことができるdestroy()メソッドがあります。たとえば、次のとおりです。

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

質問がまだ関連しているかどうかはわかりませんが、Sequelizeのドキュメントで次のことがわかりました。

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

http://sequelizejs.com/blog/state-of-v1-7-

それが役に立てば幸い!

15
cgiacomi

この例は、コールバックの代わりに約束する方法を示しています。

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

詳細については、このリンクを確認してください http://docs.sequelizejs.com/en/latest/api/model/#destroyoptions-promiseinteger

8
Hisham Haniffa

新しいバージョンでは、このようなものを試すことができます

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);
        });
4
Adiii

Await/Asyncを使用したES6の例を次に示します。

    async deleteProduct(id) {

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

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

    }

結果をブール値に変更するawaitの結果に!! Bang Bang演算子を使用していることに注意してください。

2
li x

少し時間を節約できるように、私はSailsについてこのようなことを少し前に書きました。

使用例:

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

出典:

/**
 * 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();
}

from: orm.js

お役に立てば幸いです!

2
mikermcneil

最新の@ 2019非同期および待機

const id = 12;

const result = await User.destroy({ where: { id });

use result 
0
Frank HN
  1. レコードを削除する最良の方法は、最初にそれを見つけることです(データベースに存在する場合、同時に削除したい場合)
  2. このコードを見る
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));
0
bahri noredine