Solución:
Sequelize Association Cheatsheet
Actualizado para Sequelize v2 / 3/4/5
En general, creo que el problema es que estamos confundidos acerca de qué tablas creadas y qué métodos se obtienen mediante asociaciones.
Nota: La definición de ForeignKey o el nombre de la tabla de referencias cruzadas es opcional. Sequelize lo crea automáticamente, pero definirlo permite a los codificadores leer los modelos y averiguar cuáles son las claves externas / nombres de tablas cruzadas, en lugar de adivinar o tener que acceder a la base de datos.
TLDR;
O: O
// foreign key has to be defined on both sides.
Parent.hasOne(Child, {foreignKey: 'Parent_parentId'})
// "Parent_parentId" column will exist in the "belongsTo" table.
Child.belongsTo(Parent, {foreignKey: 'Parent_parentId'})
O: M
Parent.hasMany(Child, {foreignKey: 'Parent_parentId'})
Child.belongsTo(Parent, {foreignKey: 'Parent_parentId'})
NUEVO MÉJICO
Parent.belongsToMany(
Child,
{
// this can be string (model name) or a Sequelize Model Object Class
// through is compulsory since v2
through: 'Parent_Child',
// GOTCHA
// note that this is the Parent's Id, not Child.
foreignKey: 'Parent_parentId'
}
)
/*
The above reads:
"Parents" belongs to many "Children", and is recorded in the "Parent_child" table, using "Parents"'s ID.
*/
Child.belongsToMany(
Parent,
{
through: 'Parent_Child',
// GOTCHA
// note that this is the Child's Id, not Parent.
foreignKey: 'Child_childId'
}
)
¿Por qué el detallado “Parent_parentId” y no solo “parentId”? Esto es para que sea obvio que es una clave externa que pertenecía a “Parent”. En la mayoría de los casos, está bien usar el “parentId” más sucinto. *
Las asociaciones le brindan 2 funciones: (1) Carga ansiosa y (2) Métodos DAO:
1. Incluir (carga ansiosa)
DB.Parent.findOne({
where: { id: 1 },
include: [ DB.Child ]
}).then(parent => {
// you should get `parent.Child` as an array of children.
})
2. Métodos obtenidos por hasOne (), hasMany () y pertenece a () / pertenece aMuchas ()
Las asociaciones dan los métodos del objeto de acceso a datos (DAO):
Tiene uno():
Al establecer un Parent.hasOne(Child)
, métodos disponibles para parent
Instancia de DAO:
DB.Parent.findOne({ where: { id: 1 } }).then(parent => {
// `parent` is the DAO
// you can use any of the methods below:
parent.getChild
parent.setChild
parent.addChild
parent.createChild
parent.removeChild
parent.hasChild
})
tiene muchos():
Al establecer un Parent.hasMany(Child)
, métodos disponibles para parent
Instancia de DAO:
parent.getChildren,
parent.setChildren,
parent.addChild,
parent.addChildren,
parent.createChild,
parent.removeChild,
parent.hasChild,
parent.hasChildren,
pertenece a () / pertenece a muchos:
Al establecer un Child.belongsTo(Parent)
, métodos disponibles para child
Instancia de DAO:
child.getParent,
child.setParent,
child.createParent,
//belongsToMany
child.getParents,
child.setParents,
child.createParents,
También puedes tener múltiples relaciones
Padres / Hijos Naturales
// a parent can have many children
Parent.belongsToMany(Child, {
as: 'Natural',
through: 'Parent_Child',
foreignKey: 'Parent_parentId'
})
// a child must at least have 2 parents (natural mother and father)
Child.belongsToMany(Parent, {
as: 'Natural',
through: 'Parent_Child',
foreignKey: 'Child_childId'
})
Padres adoptivos / niños
Parent.belongsToMany(Child, {
as: 'Foster',
through: 'Parent_Child',
foreignKey: 'Parent_parentId'
})
Child.belongsToMany(Parent, {
as: 'Foster',
through: 'Parent_Child',
foreignKey: 'Child_childId'
});
Lo anterior creará el Parent_Child
mesa cruzada, con NaturalId
y FosterId
.
eliminar el modelo de BookArticles y actualizar la relación con:
m.Book.hasMany(m.Article, {through: 'book_articles'});
m.Article.hasMany(m.Books, {through: 'book_articles'});
Así es como resolví el problema similar.Tenía dos modelos, un modelo de usuario.
var user = sequelize.define('user', {
name: {
Sequelize.STRING(255)
},
email: {
type: Sequelize.STRING(255),
unique: true,
validate: {
isEmail: true
}
}
});
y un modelo a seguir
var Role = sequelize.define('role', {
name: {
Sequelize.ENUM('ER', 'ALL', 'DL')
},
description: {
type: Sequelize.TEXT
}
});
Luego creé el modelo de unión UserRole
var UserRole = sequelize.define('user_role', {
id: {
type: Sequelize.INTEGER,
primaryKey: true,
autoIncrement: true
},
name: {
type: Sequelize.ENUM('Admin', 'Staff', 'Customer', 'Owner')
}
});
Nota: debe definir explícitamente la identificación para UserRole; de lo contrario, sequelize usará las dos claves externas en este caso user_id
y role_id
como sus claves principales.
Luego creé la relación pertenece a muchos de la siguiente manera
User.belongsToMany(Role, { as: 'Roles', through: { model: UserRole, unique: false }, foreignKey: 'user_id' });
Role.belongsToMany(User, { as: 'Users', through: { model: UserRole, unique: false }, foreignKey: 'role_id' });