web-dev-qa-db-ja.com

ノードのsequelizeを使用してレコードを更新する方法は?

NodeJS、express、express-resource、およびSequelizeを使用してRESTful APIを作成します。これは、MySQLデータベースに保存されたデータセットの管理に使用されます。

Sequelizeを使用してレコードを適切に更新する方法を見つけようとしています。

モデルを作成します:

module.exports = function (sequelize, DataTypes) {
  return sequelize.define('Locale', {
    id: {
      type: DataTypes.INTEGER,
      autoIncrement: true,
      primaryKey: true
    },
    locale: {
      type: DataTypes.STRING,
      allowNull: false,
      unique: true,
      validate: {
        len: 2
      }
    },
    visible: {
      type: DataTypes.BOOLEAN,
      defaultValue: 1
    }
  })
}

次に、リソースコントローラーで、更新アクションを定義します。

ここでは、IDがreq.params変数と一致するレコードを更新できるようにしたいと考えています。

最初にモデルを作成し、updateAttributesメソッドを使用してレコードを更新します。

const Sequelize = require('sequelize')
const { dbconfig } = require('../config.js')

// Initialize database connection
const sequelize = new Sequelize(dbconfig.database, dbconfig.username, dbconfig.password)

// Locale model
const Locales = sequelize.import(__dirname + './models/Locale')

// Create schema if necessary
Locales.sync()


/**
 * PUT /locale/:id
 */

exports.update = function (req, res) {
  if (req.body.name) {
    const loc = Locales.build()

    loc.updateAttributes({
      locale: req.body.name
    })
      .on('success', id => {
        res.json({
          success: true
        }, 200)
      })
      .on('failure', error => {
        throw new Error(error)
      })
  }
  else
    throw new Error('Data not provided')
}

さて、これは私が期待するように実際には更新クエリを生成しません。

代わりに、挿入クエリが実行されます。

INSERT INTO `Locales`(`id`, `locale`, `createdAt`, `updatedAt`, `visible`)
VALUES ('1', 'us', '2011-11-16 05:26:09', '2011-11-16 05:26:15', 1)

だから私の質問は:Sequelize ORMを使用してレコードを更新する適切な方法は何ですか?

88
a_arias

Sequelize は使用していませんが、そのドキュメントを読んだ後、 新しいオブジェクトのインスタンス化 であることが明らかです。これが、Sequelizeが新しいレコードをdbに挿入する理由です。

まず、そのレコードを検索し、それを取得し、その後でプロパティを変更してから pdate itにする必要があります。次に例を示します。

Project.find({ where: { title: 'aProject' } })
  .on('success', function (project) {
    // Check if record exists in db
    if (project) {
      project.update({
        title: 'a very different title now'
      })
      .success(function () {})
    }
  })
85
alessioalex

バージョン2.0.0以降、where句をwhereプロパティでラップする必要があります。

Project.update(
  { title: 'a very different title now' },
  { where: { _id: 1 } }
)
  .success(result =>
    handleResult(result)
  )
  .error(err =>
    handleError(err)
  )

更新2016-03-09

最新バージョンでは、実際にはsuccessおよびerrorを使用していませんが、代わりにthen- able約束を使用しています。

したがって、上のコードは次のようになります。

Project.update(
  { title: 'a very different title now' },
  { where: { _id: 1 } }
)
  .then(result =>
    handleResult(result)
  )
  .catch(err =>
    handleError(err)
  )

Async/awaitを使用する

try {
  const result = await Project.update(
    { title: 'a very different title now' },
    { where: { _id: 1 } }
  )
  handleResult(result)
} catch (err) {
  handleError(err)
}

http://docs.sequelizejs.com/en/latest/api/model/#updatevalues-options-promisearrayaffectedcount-affectedrows

172
kube

Sequelize v1.7.0以降、モデルでupdate()メソッドを呼び出すことができるようになりました。はるかにクリーナー

例えば:

Project.update(

  // Set Attribute values 
        { title:'a very different title now' },

  // Where clause / criteria 
         { _id : 1 }     

 ).success(function() { 

     console.log("Project with id =1 updated successfully!");

 }).error(function(err) { 

     console.log("Project update failed !");
     //handle error here

 });
31
Farm

そして2018年12月に答えを探している人々にとって、これはpromiseを使用した正しい構文です:

Project.update(
    // Values to update
    {
        title:  'a very different title now'
    },
    { // Clause
        where: 
        {
            id: 1
        }
    }
).then(count => {
    console.log('Rows updated ' + count);
});
17
donkeykong

説明したようにUPDATE ... WHEREを使用すると思います here および here はリーンアプローチです

Project.update(
      { title: 'a very different title no' } /* set attributes' value */, 
      { where: { _id : 1 }} /* where criteria */
).then(function(affectedRows) {
Project.findAll().then(function(Projects) {
     console.log(Projects) 
})
9
Hasan A Yousef

このソリューションは非推奨です

failure | fail | error()は非推奨であり、2.1で削除されます。代わりにpromiseスタイルを使用してください。

あなたが使用する必要があります

Project.update(

    // Set Attribute values 
    {
        title: 'a very different title now'
    },

    // Where clause / criteria 
    {
        _id: 1
    }

).then(function() {

    console.log("Project with id =1 updated successfully!");

}).catch(function(e) {
    console.log("Project update failed !");
})

また、.complete()も使用できます

よろしく

5
hussam

最新のJavaScript Es6でasyncとawaitを使用する

const title = "title goes here";
const id = 1;

    try{
    const result = await Project.update(
          { title },
          { where: { id } }
        )
    }.catch(err => console.log(err));

結果を返すことができます...

2
Frank HN

public static update(値:オブジェクト、オプション:オブジェクト):約束>

ドキュメントを一度確認してください http://docs.sequelizejs.com/class/lib/model.js~Model.html#static-method-update

  Project.update(
    // Set Attribute values 
    { title:'a very different title now' },
  // Where clause / criteria 
     { _id : 1 }     
  ).then(function(result) { 

 //it returns an array as [affectedCount, affectedRows]

  })
1
vijay kumar

Model.update()メソッドを使用できます。

Async/awaitの場合:

try{
  const result = await Project.update(
    { title: "Updated Title" }, //what going to be updated
    { where: { id: 1 }} // where clause
  )  
} catch (error) {
  // error handling
}

.then()。catch()の場合:

Project.update(
    { title: "Updated Title" }, //what going to be updated
    { where: { id: 1 }} // where clause
)
.then(result => {
  // code with result
})
.catch(error => {
  // error handling
})
1
Leandro Lima

こんにちは、レコードを更新するのはとても簡単です

  1. iD(または必要なもの)でレコードを検索します。
  2. その後、result.feild = updatedFieldでパラメーターを渡します
  3. レコードがデータベースsequelizeに存在しない場合、paramsを使用して新しいレコードを作成します
  4. コード#1がV4のすべてのバージョンのコードをテストすることを理解するために、サンプルを見てください
const sequelizeModel = require("../models/sequelizeModel");
    const id = req.params.id;
            sequelizeModel.findAll(id)
            .then((result)=>{
                result.name = updatedName;
                result.lastname = updatedLastname;
                result.price = updatedPrice;
                result.tele = updatedTele;
                return result.save()
            })
            .then((result)=>{
                    console.log("the data was Updated");
                })
            .catch((err)=>{
                console.log("Error : ",err)
            });

V5のコード

const id = req.params.id;
            const name = req.body.name;
            const lastname = req.body.lastname;
            const tele = req.body.tele;
            const price = req.body.price;
    StudentWork.update(
        {
            name        : name,
            lastname    : lastname,
            tele        : tele,
            price       : price
        },
        {returning: true, where: {id: id} }
      )
            .then((result)=>{
                console.log("data was Updated");
                res.redirect('/');
            })
    .catch((err)=>{
        console.log("Error : ",err)
    });
0
bahri noredine