10

我正在尝试在猫鼬中指定我的数据库的架构。目前我这样做:

var Schema = mongoose.Schema;  
var today = new Date(2011, 11, 12, 0, 0, 0, 0);


var personSchema = new Schema({  
   _id : Number,
   name: { type: String, required: true },  
   tel: { type: String, required: true },  
   email: { type: String, required: true },
   newsitems: [{ type: Schema.Types.ObjectId, ref:'NewsItem'}]
});

var taskSchema = new Schema({ 
    _id: Number,
    description: { type: String, required: true },  
    startDate: { type: Date, required: true },
    newsitems: [{ type: Schema.Types.ObjectId, ref:'NewsItem'}]
});

var newsSchema = new Schema({
    _id: Number,
    creator : { type: Schema.Types.ObjectId, ref: 'Person' },
    task : { type: Schema.Types.ObjectId, ref: 'Task' },
    date: { type: Date, required:true },
    loc: {type: String, required: true }  
});

var NewsItem  = mongoose.model('NewsItem', newsSchema);
var Person = mongoose.model('Person', personSchema);
var Task = mongoose.model('Task', taskSchema);



var tony = new Person({_id:0, name: "Tony Stark", tel:"234234234", email:"tony@starkindustries.com" });
var firstTask = new Task({_id:0, description:"Get an interview with the president", startDate:today});
var newsItem1 = new NewsItem({_id:0, creator: tony.id, task: firstTask.id, date: today, loc: "NY"});

newsItem1.save(function (err) {
  if (err) console.log(err);

    firstTask.save(function (err) {
        if (err) console.log(err);
    });

    tony.save(function (err) {
         if (err) console.log(err);
    }); 
});



NewsItem
.findOne({ loc: "NY" })
.populate('creator')
.populate('task')
.exec(function (err, newsitem) {
  if (err) console.log(err)
    console.log('The creator is %s', newsitem.creator.name);
})

我创建模式并尝试保存一些数据。

错误:

{ message: 'Cast to ObjectId failed for value "0" at path "creator"',
  name: 'CastError',
  type: 'ObjectId',
  value: '0',
  path: 'creator' }

我基于以下代码编写了此代码:http: //mongoosejs.com/docs/populate.html#gsc.tab=0

我尝试创建的数据库如下所示:Specify schema in mongoose

我怎样才能解决这个问题?

4

2 回答 2

14

您引用的 mongoose 文档中的示例Number用于该personSchema._id字段和ObjectId其他字段。

我认为他们在示例中这样做只是为了证明可以使用其中任何一个。如果未_id在架构中指定,ObjectId将是默认值。

在这里,您的所有记录都有一个_id字段ObjectId,但您将它们视为数字。此外,字段 likepersonIDtaskID不存在,除非您遗漏了定义它们的部分。

如果您确实想对所有_id字段使用数字,则必须在模式中定义它。

var newsSchema = new Schema({
  _id: Number,
  _creator: {type: ObjectId, ref: "Person"},
  // ...
})

var personSchema = new Schema({
  _id: Number,
  // ...
})

然后创建具有特定 ID 的新闻项目,并将其分配给创建者:

var tony = new Person({_id: 0});
var newsItem = new NewsItem({_id: 0, creator: tony.id});

但是这里要注意的是,当您使用除字段以外ObjectId的其他内容时_id,您将自己承担管理这些值的责任。ObjectIds 是自动生成的,不需要额外的管理。

编辑:我还注意到您在关联的两侧都存储了参考。这是完全有效的,有时您可能想要这样做,但请注意,您必须自己将引用存储在pre挂钩中。

于 2013-04-02T18:52:11.057 回答
5
于 2014-05-15T19:15:56.983 回答