我正在构建一个包含node,express和sequelize的简单数据库。我创建了我的模型,sequelize在我的数据库中创建了表。
我有模特用户和城市,有很多关系。 Sequelize创建了表Users,Cities和一个连接表CitiesUsers:with UserId和CityId。
我的问题是,当我创建新用户时,如何更新该连接表?在创建时忽略CityId属性。
//Models use
//City.hasMany(User);
//User.hasMany(City);
var user = User.build({
first_name: 'John',
last_name: 'Doe',
CityId: 5
});
user.save();
答案 0 :(得分:8)
在深入研究文档之后,我相信我找到了答案。
当创建多对多关系时,sequelize会为每个模型创建get,set和add方法。
从假设模型用户和项目的文档中有多对多: http://docs.sequelizejs.com/en/latest/docs/associations/#belongs-to-many-associations
这会将方法getUsers,setUsers,addUsers添加到Project,以及 getProjects,setProjects和addProject to User。
所以在我的情况下,我做了以下操作,其中“city”是City.find返回的特定城市模型......
//user.setCities([city]);
models.User.find({ where: {first_name: 'john'} }).on('success', function(user) {
models.City.find({where: {id: 10}}).on('success', function(city){
user.setCities([city]);
});
});
答案 1 :(得分:5)
创建城市和用户模型后,您可以创建用作连接表的模型的新实例。
const User = sequelize.define('user')
const City = sequelize.define('city')
const UserCity = sequelize.define('user_city')
User.belongsToMany(City, { through: UserCity })
City.belongsToMany(User, { through: UserCity })
Promise.all([User.create(), City.create()])
.then(([user, city]) => UserCity.create({userId: user.id, cityId: city.id}))
答案 2 :(得分:1)
来自文档v3:
// Either by adding a property with the name of the join table model to the object, before creating the association
project.UserProjects = {
status: 'active'
}
u.addProject(project)
// Or by providing a second argument when adding the association, containing the data that should go in the join table
u.addProject(project, { status: 'active' })
// When associating multiple objects, you can combine the two options above. In this case the second argument
// will be treated as a defaults object, that will be used if no data is provided
project1.UserProjects = {
status: 'inactive'
}
u.setProjects([project1, project2], { status: 'active' })
// The code above will record inactive for project one, and active for project two in the join table
答案 3 :(得分:0)
仅添加到该线程中的许多出色答案上,我通常会发现,当我有一个实体引用另一个实体时,如果(且仅当)该实体不存在,我想创建该实体。为此,我喜欢使用findOrCreate()
。
因此,假设您正在存储文章,并且每个文章可以具有任意数量的标签。您通常想要做的是:
对我来说,它看起来像:
const { article, tags } = model.import("./model/article");
let tagging = [
tags.findOrCreate({where: {title: "big"}}),
tags.findOrCreate({where: {title: "small"}}),
tags.findOrCreate({where: {title: "medium"}}),
tags.findOrCreate({where: {title: "xsmall"}})
];
Promise.all(tagging).then((articleTags)=> {
article.create({
title: "Foo",
body: "Bar"
}).then((articleInstance) => {
articleInstance.setTags(articleTags.map((articleTag) => articleTag[0]));
})
})