我正在使用sequalize和MYSQL在模型中定义关联。但是,在迁移之后,不会像续集文档中所述将外键添加到目标模型中。
我也尝试过在模型和迁移文件中手动定义外键,但是仍然没有在表之间创建关联。当我在PhpMyAdmin的关系视图中查看表时,未创建外键约束或关系。
我已经使用SQLite和PostgreSQL尝试了相同的结果。我不知道我在做什么错。这是模型。
AURHOR MODEL
//One author hasMany books
'use strict';
module.exports = (sequelize, DataTypes) => {
const Author = sequelize.define('Author', {
Name: DataTypes.STRING
}, {});
Author.associate = function(models) {
// associations can be defined here
Author.hasMany(models.Book)
};
return Author;
};
我希望能够按照文档中的指定,在续订表上添加authorId,但这不会发生
BOOK MODEL
//Book belongs to Author
'use strict';
module.exports = (sequelize, DataTypes) => {
const Book = sequelize.define('Book', {
Title: DataTypes.STRING
}, {});
Book.associate = function(models) {
// associations can be defined here
Book.belongsTo(models.Author)
};
return Book;
};
迁移后,这两个表之间没有创建关联。 我也试图在这样的模型关联中定义自定义外键:
//Author model
Author.hasMany(models.Book,{foreignKey:'AuthorId'})
//Book model
Book.belongsTo(models.Author,{foreignKey:'AuthorId'})
这仍然不能解决问题
我已经在模型中定义了外键,然后像这样在关联中引用它们:
'use strict';
module.exports = (sequelize, DataTypes) => {
const Book = sequelize.define('Book', {
Title: DataTypes.STRING,
AuthorId:DataTypes.INTEGER
}, {});
Book.associate = function(models) {
// associations can be defined here
Book.belongsTo(models.Author,{foreignKey:'AuthorId'})
};
return Book;
};
但是仍然没有创建关联
我最终决定像这样在迁移文件中添加引用:
'use strict';
module.exports = {
up: (queryInterface, Sequelize) => {
return queryInterface.createTable('Books', {
id: {
allowNull: false,
autoIncrement: true,
primaryKey: true,
type: Sequelize.INTEGER
},
Title: {
type: Sequelize.STRING
},
AuthorId:{
type: Sequelize.INTEGER,
references:{
model:'Author',
key:'id'
}
}
createdAt: {
allowNull: false,
type: Sequelize.DATE
},
updatedAt: {
allowNull: false,
type: Sequelize.DATE
}
});
},
down: (queryInterface, Sequelize) => {
return queryInterface.dropTable('Books');
}
};
但是,当我运行这种迁移设置时,会出现以下错误:错误:无法创建表dbname
。books
(errno:150“外键约束是i
格式不正确”)
切换到PostgreSQL时也会收到类似的错误。
这个问题使我久违了。我可能做错了什么。我正在通过sequelize CLI使用sequelize 版本4.31.2 。
答案 0 :(得分:0)
我在迁移中错误地引用了模型。 错误的方式
AuthorId:{
type: Sequelize.INTEGER,
references:{
model:'Author',
key:'id'
}
}
正确的方式
// Notes the model value is in lower case and plural just like the table name in the database
AuthorId:{
type: Sequelize.INTEGER,
references:{
**model:'authors',**
key:'id'
}
}
这解决了我的问题。现在已经定义了关联。