22

在创建包含嵌套对象(例如对象数组)的文档时,每个对象都有自己的_id。例如,我的架构如下所示:

mongoose = require "mongoose"

Schema = mongoose.Schema

schema = new Schema
  name:
    type: String
    required: true
    unique: true
    trim: true

  lists: [
    list:
      type: Schema.Types.ObjectId
      required: true
      ref: "List"
    allocations: [
      allocation:
        type: Number
        required: true
    ]
  ]

  createdAt:
    type: Date
    default: Date.now

  updatedAt:
    type: Date

# Ensure virtual fields are serialised.
schema.set "toJSON",
  virtuals: true

exports = module.exports = mongoose.model "Portfolio", schema

当最终创建文档时,数组中的每个对象都lists被赋予一个 _id,数组中的每个allocation对象也是如此。lists.allocations这似乎有点矫枉过正并且使文档膨胀,但是 MongoDB(或 Mongoose)是否有理由需要文档来包含这些附加信息?如果没有,我想防止它发生,以便唯一的 _id 在根文档上。

此外,Mongoose 会自动创建一个 virtual idfor _id,这是我需要的,因为我的客户端代码需要一个 field id。这就是为什么我使用 JSON 返回虚拟对象的原因。但是,由于_id整个文档中都有字段,而不仅仅是在根目录,所以这个虚拟复制了所有这些字段。如果没有办法阻止额外的 _id 字段,我怎样才能获得一个仅适用于根文档 _id 的虚拟?或者,如果有更好的方法来做我想做的事情,那会是什么?

4

2 回答 2

21

我已经找到了一种使用相同技术解决这两个问题的方法:通过为每个嵌套对象类型使用显式模式并将它们的_idid选项设置为false. 似乎在嵌套您定义“内联”的对象时,Mongoose 会在幕后为每个对象创建模式。由于模式的默认值为_id: trueand id: true,因此它们将获得一个_id以及一个 virtual id。但是通过使用显式模式覆盖它,我可以控制_id创建。更多代码,但我得到了我想要的:

mongoose = require "mongoose"

Schema = mongoose.Schema

AllocationSchema = new Schema
  allocation:
    type: Number
    required: true
,
  _id: false
   id: false

mongoose.model "Allocation", AllocationSchema

ListsSchema = new Schema
  list:
    type: Schema.Types.ObjectId
    required: true
    ref: "List"
  allocations: [AllocationSchema]
,
  _id: false
   id: false

mongoose.model "Lists", ListsSchema

PortfolioSchema = new Schema
  name:
    type: String
    required: true
    unique: true
    trim: true

  lists: [ListsSchema]

  createdAt:
    type: Date
    default: Date.now

  updatedAt:
    type: Date
于 2013-06-02T11:01:32.463 回答
8

@neverfox 感谢您提供信息,我只是添加了 Nodejs 的代码

var _incidents = mongoose.Schema({
  name : {type : String},
  timestamp: {type : Number},
  _id : {id:false}
});


_schema = mongoose.Schema({
   _id: {type: String, required: true},
   user_id: {type: String, required: true}, 
   start_time: {type: Number, required: true},  
    incidents : [_incidents],
});
于 2016-04-15T06:02:14.513 回答