- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
你好,我是 Sequelize 的新手,我真的不知道如何管理关系。我想设置 1:N 关系,但是当我看到结果时,我没有收到关系数据。我现在正在处理 2 个表,medicos
和 hospitals
,其中 hospitals
可以有很多 doctor
但是 doctors
只有一个hospital
。
这是我的 doctors
表:models/doctors.js
module.exports = function(sequelize, DataTypes) {
return sequelize.define('doctors', {
id: {
type: DataTypes.INTEGER(11),
allowNull: false,
primaryKey: true,
autoIncrement: true
},
name: {
type: DataTypes.STRING,
allowNull: false
},
lastName: {
type: DataTypes.STRING,
allowNull: false
},
SSN: {
type: DataTypes.STRING,
allowNull: false
},
speciality: {
type: DataTypes.ENUM('Doctor','Geriatrician'),
allowNull: false
},
idHospital: {
type: DataTypes.INTEGER(11),
allowNull: false,
},
}, {
tableName: 'doctors',
freezeTableName: true,
classMethods: {
associate: models => {
models.doctors.belongsTo(models.hospitals, {
foreignKey: "idHospital"
})
}
}
});
});
};
这是医院
之一:models/hospitals.js
module.exports = function(sequelize, DataTypes) {
return sequelize.define('hospitals', {
id: {
type: DataTypes.INTEGER(11),
allowNull: false,
primaryKey: true,
autoIncrement: true
},
name: {
type: DataTypes.STRING,
allowNull: false
},
idData: {
type: DataTypes.INTEGER(11),
allowNull: false,
references: {
model: 'data',
key: 'id'
}
},
}, {
tableName: 'hospitals',
freezeTableName: true,
classMethods: {
associate: models => {
models.hospitals.hasMany(models.doctors, {
foreignKey: "idHospital"
})
}
}
});
};
我用这个文件 models/index.js
管理我的模型
'使用严格'
module.exports = (connection) => {
const Users = connection.import('users'),
States = connection.import('states'),
Cities = connection.import('cities'),
Data = connection.import('data'),
Patient = connection.import('patients'),
Hospitals = connection.import('hospitals'),
Doctors = connection.import('doctors'),
Doctors.belongsTo(Hospitals)
Hospitals.hasMany(Doctors)
require('../controllers/patients')(Users)
require('../controllers/personal')(Doctors, Hospitals)
}
这是我的 Controller
/controllers/personal.js
'use strict'
module.exports = (Doctors) => {
const express = require('express'),
router = express.Router()
router
.get('/', (req, res) => {
Doctors.findAll({ include: [{ model: Hospitals, include: [Doctors], }], }).then((Doctors) => console.log(Doctors));
})
和我的主要索引
'use strict'
const express = require('express'),
path = require('path'),
bodyParser = require('body-parser'),
Sequelize = require('sequelize'),
port = process.env.PORT || 3000,
app = express(),
connection = new Sequelize('Matadero', 'root', 'root');
app.use(bodyParser.json())
app.use(bodyParser.urlencoded({extended:true}))
app.set('view engine', 'ejs')
app.set('views', path.resolve(__dirname, 'client', 'views'))
app.use(express.static(path.resolve(__dirname, 'client')))
app.get('/', (req, res) => {
res.render('admin/index.ejs')
})
const onListening = () => console.log(`Successful connection at port: ${port}`)
require('./models')(connection)
app.listen(port, onListening)
const patients = require('./controllers/patients'),
personal = require('./controllers/personal')
app.use('/api/patients', patients)
app.use('/api/personal', personal)
我收到的错误:未处理的拒绝错误:医院与医生无关!
最佳答案
您必须在两个模型上定义您的关系。另外当你使用 belongsTo 时,你是说医生属于医院,所以外键是在 doctor 上定义的,在这种情况下外键是医院的 id。但是你将 doctor foreignKey 设置为医院的 id,这是行不通的。
module.exports = function(sequelize, DataTypes) {
var doctors = sequelize.define('doctors', {
id: {
type: DataTypes.INTEGER(11),
allowNull: false,
primaryKey: true,
autoIncrement: true
},
name: {
type: DataTypes.STRING,
allowNull: false
},
lastName: {
type: DataTypes.STRING,
allowNull: false
},
SSN: {
type: DataTypes.STRING,
allowNull: false
},
idData: {
type: DataTypes.INTEGER(11),
allowNull: false,
references: { // I'd recommend using the associate functions instead of creating references on the property, only causes confusion from my experience.
model: 'data',
key: 'id'
}
},
speciality: {
type: DataTypes.ENUM('Doctor','Geriatrician'),
allowNull: false
},
// This is the foreignKey property which is referenced in the associate function on BOTH models.
idHospital: {
type: DataTypes.INTEGER(11),
allowNull: false // Using allowNull makes this relationship required, on your model, a doctor can't exist without a hospital.
},
}, {
tableName: 'doctor',
freezeTableName: true,
classMethods: {
associate: models => {
doctors.belongsTo(models.hospitals, {
foreignKey: "idHospital"
})
}
}
});
return doctors;
};
module.exports = function(sequelize, DataTypes) {
var hospital = sequelize.define('hospitals', {
id: {
type: DataTypes.INTEGER(11),
allowNull: false,
primaryKey: true,
autoIncrement: true
},
name: {
type: DataTypes.STRING,
allowNull: false
},
idData: {
type: DataTypes.INTEGER(11),
allowNull: false,
references: {
model: 'data',
key: 'id'
}
},
}, {
tableName: 'hospitals',
freezeTableName: true,
classMethods: {
associate: models => {
hospital.hasMany(models.doctors, {
foreignKey: 'idHospital'
}
}
}
});
return hospital;
};
更新
您用来加载模型的文件缺少许多使 sequelize 工作所需的代码。您需要手动调用每个模型的关联函数。 sequelize 提供了一个标准实现,我对其进行了一些修改以使用您的代码。
var fs = require("fs");
var path = require("path");
var Sequelize = require("sequelize");
module.exports = (connection) => {
var models = {};
// Here we read in all the model files in your models folder.
fs
// This assumes this file is in the same folder as all your
// models. Then you can simply do require('./modelfoldername')
// to get all your models.
.readdirSync(__dirname)
// We don't want to read this file if it's in the folder. This
// assumes it's called index.js and removes any files with
// that name from the array.
.filter(function (file) {
return (file.indexOf(".") !== 0) && (file !== "index.js");
})
// Go through each file and import it into sequelize.
.forEach(function (file) {
var model = connection.import(path.join(__dirname, file));
models[model.name] = model;
});
// For each model we run the associate function on it so that sequelize
// knows that they are associated.
Object.keys(models).forEach(function (modelName) {
if ("associate" in models[modelName]) {
models[modelName].associate(models);
}
});
models.connection = connection;
models.Sequelize = Sequelize;
return models
}
关于javascript - Sequelize : Error trying to nested association,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36899235/
我正在关注 Sequelize 纪录片。在 Model Definition 部分的底部,我想知道 sequelize 变量用于什么?我可以删除它吗? { sequelize, modelNa
我有这个原始 SQL 查询。 SELECT restaurants.name AS restaurant, ROUND((6371 * ACOS(COS(RADIANS(6.9271)
我有一个 postgres 数据库,我正在使用 Sequelize。从表 车辆 和 预订 我试图在给定开始日期和结束日期的情况下获得所有可用车辆。 如果我使用给定日期搜索 Bookings: Book
我正在尝试使用 HapiJS 和 Sequelize 开始一个项目,并且开始时,希望在没有 Sequelize CLI 的情况下使事情正常工作,以了解一切是如何结合在一起的。 我见过多个示例项目,例如
sequelize init:models 命令会创建一个“models”文件夹并添加一个 index.js。 有人能解释一下这个 index.js 文件到底做了什么,以及它如何适应 Sequeliz
查看此 Sequelize tutorial 中的 models/blog.js 定义. module.exports = (sequelize, type) => { return sequ
我收到一个错误 No overload matches this call 每当我尝试使用 @HasMany() 或 @BelongsTo 装饰器时。 我正在使用 nestjs/sequelize:
const gamem = await gamemodes.findAll({attributes: ['name']}); const newme = await gamemodes.fin
我们如何使用 sequelize 4.2 创建由所有模型应用/继承的自定义实例方法?在 Sequelize 3 中,我们曾经在扩展到所有其他模型的主模型的“定义”部分中有一个“instanceMeth
我正在使用 Typescript、NodeJS 和sequelize-auto-ts 进行模型生成。我想要放置包含查找查询的两个模型给了我错误的结果,这又是由于触发了错误的查询。这是有问题的两个模型;
假设我在用户表中有 5 列 name email state isOnline createdAt | N
我有两张表,其中一张表具有另一张表的 ID。 1:1 关系。 所以像 EventFeedback somePrimaryKey userEventID UserEvent us
如何使用对象创建具有现有关联的条目? 例如, User.create({ socialMedia: [{ socialId: 1, //should reference existing
如何创建在创建 Sequelize 模型的新实例时以编程方式生成的默认值?我已经在某处阅读了如何执行此操作,但在任何地方都找不到。我以为这与classMethods有关,但我不知道应该调用什么方法。
当我设置关联时,有没有办法使用 Sequelize (sequelizejs.com) 输出所有在对象上神奇创建的函数。 例如;我有一个用户模型,我设置 User.belongsToMany(User
我该如何制作 Music是`音乐? { id: 4 name: "playlist 1" created_at: "2015-04-21T21:43:07.000Z" updated_
我可以使用 sequelize 从可用模型创建数据库模式吗?我在一个缺少许多迁移且没有测试的项目上工作。要运行测试,我需要创建一个新的 db (sqlite3),但我无法使用迁移初始化其架构(因为它们
我有一个与其他模型相关联的简单 Sequelize 模型。 module.exports = function (sequelize, DataTypes) { var Votes = seque
我有一个像这样设置的协会: m.User.hasMany(m.Interests, { joinTableName: 'user_interests', foreignKey: 'user_id' }
我有以下型号: var User = Seq.define('user', { firstName: { type: Sequelize.STRING,
我是一名优秀的程序员,十分优秀!