如何使用sequelize for node更新记录?


115

我正在使用NodeJS,express,express-resource和Sequelize创建一个RESTful API,该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更新记录的正确方法是什么?

Answers:


109

我没有使用Sequelize,但是在阅读其文档后,很明显,您正在实例化一个新对象,这就是Sequelize将新记录插入db的原因。

首先,您需要搜索该记录,然后获取它,然后才更改其属性并对其进行更新,例如:

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 () {})
    }
  })

这项工作有效,但是我必须更改.success.then
Adam F

1
应该是Project.findOne(吗?
JBaczuk

2
旧问题,但与今天进行搜索有关(如我一样)。从Sequelize 5开始,查找记录的正确方法是findByPk(req.params.id)返回实例。
cstrutton

2
不建议这样做,它会发送2个查询,而单个查询可以完成。请检查下面的其他答案。
TᴀʀᴇǫMᴀʜᴍᴏᴏᴅ

219

从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

最新版本实际上不再使用successerror而是使用了then-able promises。

因此,上面的代码如下所示:

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

使用异步/等待

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/zh-CN/latest/api/model/#updatevalues-options-promisearrayaffectedcount-affectedrows



您比第一个主题答案有更多的投票权,我认为应该将其移至这些答案主题的第一个答案。干杯。
aananddham

37

从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

 });

也会运行验证吗?
Marconi 2014年

根据我在API文档中阅读的内容,这是首选方法。
Michael J. Calkins 2014年

4
它实际上已被弃用。请参阅模型的官方API参考
米(Domi)2014年

截止本文发表评论时,这里的文档已移至ReadTheDocs。
克里斯·克里乔

1
如前所述,从2.0.0版本开始不赞成使用该符号。也请参考以下答案:stackoverflow.com/a/26303473/831499
Matthias Dietrich

22

对于在2018年12月寻找答案的人来说,这是使用promises的正确语法:

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

2
这应该是最佳答案。
解码器7283年

在2019年无法正常工作:未处理的拒绝错误:无效值[功能]
下雪

13

2020年1月答案
需要了解的是,模型有一个更新方法,而实例(记录)有一个单独的更新方法。 Model.update()更新所有匹配记录并返回一个数组,请参见Sequelize文档Instance.update()更新记录并返回一个实例对象。

因此,要针对每个问题更新一条记录,代码将如下所示:

SequlizeModel.findOne({where: {id: 'some-id'}})
.then(record => {
  
  if (!record) {
    throw new Error('No record found')
  }

  console.log(`retrieved record ${JSON.stringify(record,null,2)}`) 

  let values = {
    registered : true,
    email: 'some@email.com',
    name: 'Joe Blogs'
  }
  
  record.update(values).then( updatedRecord => {
    console.log(`updated record ${JSON.stringify(updatedRecord,null,2)}`)
    // login into your DB and confirm update
  })

})
.catch((error) => {
  // do seomthing with the error
  throw new Error(error)
})

因此,请使用Model.findOne()Model.findByPkId()获取单个实例(记录)的句柄,然后使用Instance.update()


12

我认为使用此处此处UPDATE ... WHERE说明的方法是一种精益的方法

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

这是被接受的答案。这样,您只能设置一些字段,并且可以指定条件。非常感谢:)
路易斯·卡布雷拉·贝尼托

5

不建议使用此解决方案

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(),以及

问候


2

在现代javascript Es6中使用异步和等待

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

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

您可以返回结果...



1

您可以使用Model.update()方法。

使用异步/等待:

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

嗨,更新记录非常简单

  1. 按ID(或所需)顺序查找记录
  2. 然后你用传递参数 result.feild = updatedField
  3. 如果记录在数据库中不存在,则使用参数创建新记录
  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

有两种方法可以按顺序更新记录。

首先,如果您具有唯一标识符,则可以使用where子句,否则,如果要更新具有相同标识符的多个记录,则可以使用。

您可以创建要更新的整个对象或特定列

const objectToUpdate = {
title: 'Hello World',
description: 'Hello World'
}

models.Locale.update(objectToUpdate, { where: { id: 2}})

仅更新特定列

models.Locale.update({ title: 'Hello World'}, { where: { id: 2}})

其次,您可以使用查找查询来查找它,并使用设置和保存功能来更新数据库。


const objectToUpdate = {
title: 'Hello World',
description: 'Hello World'
}

models.Locale.findAll({ where: { title: 'Hello World'}}).then((result) => {
   if(result){
   // Result is array because we have used findAll. We can use findOne as well if you want one row and update that.
        result[0].set(objectToUpdate);
        result[0].save(); // This is a promise
}
})

在更新或创建新行时始终使用事务。这样,如果有任何错误或进行了多个更新,它将回滚所有更新:


models.sequelize.transaction((tx) => {
    models.Locale.update(objectToUpdate, { transaction: t, where: {id: 2}});
})
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.