如何更新模型? .updateAttributes不是一个函数

时间:2018-05-24 01:23:58

标签: node.js postgresql express sequelize.js

我正在构建一个Node Express应用程序,其中Postgres为DB,Sequelize为ORM。

我有router.js个文件:

router.route('/publish')
  .put((...args) => controller.publish(...args));

controller.js看起来像这样:

publish(req, res, next) {
  helper.publish(req)
  .then((published) => {
    res.send({ success: true, published });
  });
}

helper.js

publish(req) {
  return new Promise((resolve, reject) => {
    Article.findAll({
      where: { id: req.query.article_id },
      attributes: ['id', 'state']
    })
    .then((updateState) => {
      updateState.updateAttributes({
        state: 2
      });
    })
    .then((updateState) => {
      resolve(updateState);
    });
  });
}

因此,例如当我点击PUT http://localhost:8080/api/publish?article_id=3555时,我应该得到:

{
  "success": true,
  "published": [
    {
      "id": 3555,
      "state": 2
    }
  ]
}

该文章的当前状态为1。

但是,我收到以下错误Unhandled rejection TypeError: updateState.updateAttributes is not a function。当我从helper.js中删除updateState.updateAttributes部分时,我得到了当前状态的响应。

如何正确更新文章的状态?

1 个答案:

答案 0 :(得分:4)

您应该只使用findAll更改findOne,因为您只是想通过ID找到特定的文章:

Article.fineOne({  //<--------- Change here
    where: { id: req.query.article_id },
    attributes: ['id', 'state']
})
.then((updateState) => {
    updateState.updateAttributes({state: 2}); //<------- And this will work
})

但如果您仍然想使用findAll并知道如何使用它,请尝试阅读并阅读评论,这将清除您的所有疑虑:

Article.findAll({
    where: { id: req.query.article_id },
    attributes: ['id', 'state']
})
.then((updateState) => {
    // updateState will be the array of articles objects 
    updateState.forEach((article) => {
        article.updateAttributes({ state: 2 });
    });

    //-------------- OR -----------------
    updateState.forEach((article) => {
        article.update({ state: 2 });
    });
})