我只是想看看如何加入不同的集合。假设我有一个患者收集和医生收集。我想这样做是因为医生可能会有很多患者,而且我不确定是否应该将所有患者放入名为patients : []
的模型字段中的一系列对象中,或者做我现在想做的事情用populate方法练习mongoose。
现在我有另一个问题。如果我采用填充(加入)方法,所有医生患者都会在一起。我认为这很奇怪,因为听起来个人信息会与不同的人混在一起。我知道,通过将Id与ref
相关联,populate将患者与医生联系起来。这是一个很好的方法吗?
无论如何,我试着和人们一起玩,我惨遭失败。我会告诉你下面的代码。如果你可以帮助我加入2个系列,就像我描述的那样很棒。如果你解决其他一些问题也会很棒。
我尝试做的是将doctor2与患者1联系起来。
我收到错误:
throw new MongooseError.MissingSchemaError(name);
MissingSchemaError: Schema hasn't been registered for model "Doctor".
Use mongoose.model(name, schema)
代码
var express = require("express");
var app = express();
var mongoose = require("mongoose");
mongoose.connect("mongodb://localhost/population");
var db = mongoose.connection;
db.on("error", console.error.bind(console, "connection error:"));
db.once("open", function(){
console.log("connected")
var doctorSchema = mongoose.Schema({
name : String,
address : String,
username: String,
password : String,
patients : [{type : mongoose.Schema.Types.ObjectId, ref: "Patient"}]
})
var patientSchema = mongoose.Schema({
_doctor : {type: mongoose.Schema.Types.ObjectId, ref : "Doctor"},
name: String,
illness : String
})
//compiling our schem into a Model. A class where we construct documents
var Doctor = mongoose.model("doctor", doctorSchema );
var Patient = mongoose.model("patient", patientSchema);
var doctor1 = new Doctor({name : "doc1", address :"add1", username :"user1", password : "pass1"})
console.log(doctor1.username);
//creating a patient for doctor2
var doctor2 = new Doctor({name: "doc2", address : "add2", username : "user2", password : "pass2"});
doctor2.save(function(err){
var patient1 = new Patient({
name : "pat1",
illness: "high",
_doctor: doctor2._id
})
patient1.save(function(err){
console.log("saved")
})
})
Patient.findOne({name : "pat1"})
.populate("_doctor")
.exec(function(err, patient){
console.log("the creator is %s", patient._doctor.name)
})
})
app.listen(3000, function(){
console.log("listening on port: " , 3000)
})
答案 0 :(得分:0)
首先,请在参考时确认正确的型号名称。
var Doctor = mongoose.model("Doctor", doctorSchema ); // rather than doctor
var Patient = mongoose.model("Patient", patientSchema); // rather than patient
其次,成功保存patient1
后,在db中找到它。因为save()
是异步操作。
patient1.save(function(err){
if (err)
console.log(err);
else {
console.log("saved");
Patient.findOne({name : "pat1"})
.populate("_doctor")
.exec(function(err, patient){
if (err)
console.log(err);
else {
console.log(patient);
console.log("the creator is %s", patient._doctor.name);
}
});
}
});
如我们所知,要么将patient
作为对doctor
var doctorSchema = mongoose.Schema({
patients : [{type : mongoose.Schema.Types.ObjectId, ref: "Patient"}]
});
或者将doctor
作为对patient
var patientSchema = mongoose.Schema({
_doctor : {type: mongoose.Schema.Types.ObjectId, ref : "Doctor"},
});
他们两个都可以。但是,数据模式应满足您更有效查询的要求。
我更愿意将doctor
作为patient
的参考,因为正如您所说,一位医生可能会有更多患者。 mongodb文档的最大大小为16 megabytes。如果我们将patient
作为doctor
的参考,那么doctor
文档在更多患者案例下可能会更大。
无论如何,您选择满足您要求的架构是第一个问题。