为什么猫鼬参考变成了ID?

时间:2013-08-29 23:42:20

标签: node.js mongodb

根据http://mongoosejs.com/docs/populate.html,如果我将ref属性设置为对象而不是ID,则在获取它时,我应该返回一个对象而不是ID。我指的是页面的这一部分:

var guille = new Person({ name: 'Guillermo' });
guille.save(function (err) {
  if (err) return handleError(err);

  story._creator = guille;
  console.log(story._creator.name);
  // prints "Guillermo" in mongoose >= 3.6
  // see https://github.com/LearnBoost/mongoose/wiki/3.6-release-notes

这是我的示例代码:

var T1schema = new mongoose.Schema({
    otherModel:{type:mongoose.Schema.Types.ObjectId, ref:"T2"}
});

var T1 = mongoose.model('T1', T1schema);

var T2schema = new mongoose.Schema({
    email: {type: String},
});

var T2 = mongoose.model('T2', T2schema);

var t1 = new T1();
var t2 = new T2({email:"foo@bar.com"});
t1.otherModel = t2;

现在当我提到t1.otherModel时,它只是一个ObjectId,而不是T2。例如:

console.log(t1.otherModel.email);

打印undefined而不是“foo@bar.com”。有什么想法吗?注意我根据它的package.json使用Mongoose 3.6.18。

谢谢!

2 个答案:

答案 0 :(得分:2)

我认为你在这里的期望与猫鼬没有的相符。模式是一种说法"模型M的属性P将始终是T"类型。因此,当您设置值时,mongoose使用模式定义将设置值强制转换为模式所需的类型。这里有一个小的REPL会话。注意使用字符串值设置数字属性会将其强制转换为数字,但尝试在数字字段中存储布尔值只会忽略错误值。

> var mongoose = require('mongoose')
> var schema  = new mongoose.Schema({prop1: Number})
> var Model = mongoose.model('Model', schema)
> var m  = new Model
> m.prop1 = 42
42
> m.prop1
42
> m.prop1 = "42"
'42'
> m.prop1
42
> m.prop1 = false
false
> m.prop1
42

因此,当你的模式说某些东西将成为一个ObjectId时,如果你给它一个模型实例,mongoose立即将它转换为ObjectId以准备写入数据库,这是常见的情况。通常,如果您只是设置该模型实例,则在将父模型保存到数据库之前,您不需要将其从父模型中取回。

因此模型实例getter定义的属性总是返回与模式兼容的东西,而populate与从DB加载refs有关,但无论出于什么原因,mongoose都没有工作将.populate d实例与未填充的实例进行比较。我可以看出为什么这会令人困惑,也许会出乎意料/令人失望。

答案 1 :(得分:0)

Mongoose正在规范化实例以匹配Schema,后者指定otherModelObjectId

otherModel:{type:mongoose.Schema.Types.ObjectId, ref:"T2"}

因此,Mongoose将t1.otherModel = t2;视为:

t1.otherModel = t2._id;

在调用.populate()之前(直接在文档或查询中)不使用ref,这需要保存两个对象:

t2.save(function (err) {
    t1.save(function (err) {
        console.log(t1.otherModel);
        // 7890ABCD...

        t1.populate('otherModel', function () {
            console.log(t1.otherModel);
            // { email: 'foo@bar.com', _id: 7890ABCD..., __v: 0 }
        });
    });
});