Sequelize.js插入具有一对多关系的模型

时间:2016-06-14 13:27:04

标签: javascript sql node.js orm sequelize.js

我有两个与一对多关系的续集模型。我们称之为所有者和财产。

假设它们是使用sails-hook-sequelize定义的(简化)。

//Owner.js
module.exports = {
options: {
  tableName: 'owner'
},
attributes: {
  id: {
    type: Sequelize.BIGINT,
    allowNull: false,
    primaryKey: true,
    autoIncrement: true
  },
  name: {
    type: Sequelize.STRING(255)
  },
  associations: function () {
     Owner.hasMany(Property, {
     foreignKey: {
       name: 'owner_id'
     }
   });
 }
}

//Property.js
module.exports = {
options: {
  tableName: 'property'
},
attributes: {
  id: {
    type: Sequelize.BIGINT,
    allowNull: false,
    primaryKey: true,
    autoIncrement: true
  },
  name: {
    type: Sequelize.STRING(255)
  }
}

现在假设我想在我的数据库中插入所有者记录并插入一些属性记录以与所有者关联。我该怎么做呢?

我正在寻找像

这样的东西
Owner.create({name:'nice owner',
              property: [{name:'nice property'},
                         {name:'ugly property'}]});

令人惊讶的是,我在Sequelize文档中找不到这个。

1 个答案:

答案 0 :(得分:12)

在创建所有者时,您无法关联属性现有记录,您必须在承诺链之后立即执行此操作。

Owner.create({name:'nice owner'}).then(function(owner){ 
    owner.setProperties([{name:'nice property'}, {name:'ugly property'}]).then(/*...*/);
});

为避免这些关联出现任何问题(所有者已创建,但某些关联失败),最好使用交易。

sequelize.transaction(function(t) {
    return Owner.create({name:'nice owner'}, {transaction: t}).then(function(owner){ 
        return owner.setProperties([{name:'nice property'}, {name:'ugly property'}], {transaction : t});
    });
});

但是,如果要创建与新属性关联的新所有者,可以执行类似

的操作
Owner.create({
   name: 'nice owner',
   property: [
      { name: 'nice property'},
      { name: 'ugly property'}
   ]
},{
   include: [ Property]
}); 

请参阅http://docs.sequelizejs.com/en/latest/docs/associations/#creating-with-associations

相关问题