我最近已从“正常”续集转为使用sequelize-cli进行迁移。到目前为止,使用cli效果很好。但是我不确定如何使用生成的模型。尤其是我看来,我对协会有疑问。它们是在数据库中正确创建的,但是在代码中却出现类似Upvote is not associated to Video
我已经使用cli创建了模型,并尝试导入和使用它们。
这是cli生成的video
模型的摘要:
module.exports = (sequelize, DataTypes) => {
const Video = sequelize.define('Video', {
userid: DataTypes.STRING,
...
}, {});
Video.associate = function(models) {
Video.hasMany(models.Upvote, { foreignKey: 'videoid', sourceKey: 'id' });
};
return Video;
};
以下是迁移的摘要:
let videos = function (queryInterface, Sequelize) {
return queryInterface.createTable('Videos', {
id: {
allowNull: false,
autoIncrement: true,
primaryKey: true,
type: Sequelize.INTEGER
},
userid: {
type: Sequelize.STRING,
references: {
model: 'Users',
key: 'id'
},
},
...
});
};
这是我导入模型的方式:
const Video = require('../models/video')(dbConnector.sequelize, Sequelize.DataTypes);
我觉得需要传递sequelize
和DataTypes
有点奇怪,因为当我自己构建模型时,这不是必需的。这是导入它们的正确方法吗?
导入它们时没有错误,我可以像Videos.findAll()
一样查询它们,但是关联不起作用。而且我不确定如何使它们工作,我需要自己调用Video.associate(models)
函数吗?这看起来也很奇怪。
我使用这些模型的方式一定做错了,请让我知道该怎么做。
答案 0 :(得分:0)
Sequelize cli将在index.js
目录内生成一个models
,其中将包含以下代码,
fs
.readdirSync(__dirname)
.filter(file => {
return (file.indexOf('.') !== 0) && (file !== basename) && (file.slice(-3) ===
'.js');
})
.forEach(file => {
const model = sequelize['import'](path.join(__dirname, file));
db[model.name] = model;
});
Object.keys(db).forEach(modelName => {
if (db[modelName].associate) {
db[modelName].associate(db);
}
});
在第一组代码中,它将导入所有模型,而在第二组代码中,它将基于每个模型的associate
方法内部配置的关联来关联所有模型。
例如,在您的情况下,Video
和Upvote
之间的关联可以定义为
models / Video.js
module.exports = (sequelize, DataTypes) => {
const Video = sequelize.define('Video', {
id: DataTypes.STRING,
...
}, {});
Video.associate = function(models) {
Video.hasMany(models.Upvote, {
foreignKey: 'videoId',
sourceKey: 'id'
});
};
return Video;
};
models / Upvote.js
module.exports = (sequelize, DataTypes) => {
const Upvote = sequelize.define('Upvote', {
id: DataTypes.STRING,
videoId: DataTypes.STRING
...
}, {});
Upvote.associate = function(models) {
Upvote.belongsTo(models.Video, {
foreignKey: 'videoId',
targetKey: 'id'
});
};
return Upvote;
};
希望这会有所帮助!