import mongoose from 'mongoose';
const { Schema } = mongoose;
const blogSchema = new Schema({
title: String,
author: String,
body: String,
comments: [{ body: String, date: Date }],
date: { type: Date, default: Date.now },
hidden: Boolean,
meta: {
votes: Number,
favs: Number
});
如果你想之后添加额外的键,可以使用 Schema#add 方法.
在 blogSchema
中定义的每个键值属性将被强制转换到其关联的 SchemaType 上。比方说,我们定义了一个 title
属性,它将被转换为 SchemaType 中的 String
,data
属性将被转换为 SchemaType 中的 Date
要注意的是,如果属性只需要一个类型,则可以使用速记表示法指定它(将上面的 title 属性与 dateproperty 进行对比)。
还可以为键分配包含更多键/类型定义的嵌套对象,如上面的元属性。 每当键值是没有类型属性的 POJO 时,就是这种情况。
在这种情况下,Mongoose 只会为结构树中的叶子节点创建真实的 schema 路径(诸如上面的 meta.votes
和 meta.favs
)并且枝节将不会有真实的路径。一个副作用是 meta
将无法拥有自己的验证。如果需要验证,这个路径必须是被创建在节点树上的。另外阅读一下SchemaTypes guide 的 Mixed 小节了解一些陷阱。
允许的SchemaTypes 有:
了解更多请阅读 SchemaTypes here
Schemas 不仅仅定义文档的结构h和数学类型,它们也定义了 document methods, static Model methods, compound indexes, 和 document 生命周期钩子叫做 中间件(middleware).
为了使用我们定义好的 Schema,我们需要把我们的 blogSchema
转化为能使用的 Model 。
为了这么做,,我们将它传递给 mongoose.model(modelName, schema)
:
const Blog = mongoose.model('Blog', blogSchema);
默认的,Mongoose 会为你的 schemas 加上一个 _id
属性。
const schema = new Schema();
schema.path('_id');
当你创建一个新的文档时,Mongoose 会为其会自动的添加 ObjectId类型的 _id
属性。
const Model = mongoose.model('Test', schema);
const doc = new Model();
doc._id instanceof mongoose.Types.ObjectId;
你也可以用自己的 _id
覆盖 Mongoose 的默认 _id
。要注意的是,如果一个文档不具有 _id
属性,Mongoose将不允许保存文档,因此你有必要设置 _id
值如果你自定义了 _id
。
const schema = new Schema({ _id: Number });
const Model = mongoose.model('Test', schema);
const doc = new Model();
await doc.save();
doc._id = 1;
await doc.save();
`Models` 的实例是 documents。文档具有很多自己的 [built-in instance methods](api/document.html) 。 我们也可以自定义一些实例方法。
const animalSchema = new Schema({ name: String, type: String },
methods: {
findSimilarTypes(cb) {
return mongoose.model('Animal').find({ type: this.type }, cb);
});
animalSchema.methods.findSimilarTypes = function(cb) {
return mongoose.model('Animal').find({ type: this.type }, cb);
现在我们所有的 animal
实例都具有可用的 findSimilarTypes
方法。
const Animal = mongoose.model('Animal', animalSchema);
const dog = new Animal({ type: 'dog' });
dog.findSimilarTypes((err, dogs) => {
console.log(dogs);
});
- 覆盖 mongoose 文档的默认方法可能会导致不可预料的后果。See this for more details.
- 以上的例子直接使用了
Schema.methods
去保存一个实例方法。你也可以按 here 所描述的使用 Schema.method()
helper。 - 不要用 ES6 的箭头函数声明方法。箭头函数明确地组织了绑定
this
,因此你的方法将无法访问到文档,相应的以上的示例将全部失效。
你也可以为模型添加静态方法。这里是一些等效的添加静态方法的途径:
const animalSchema = new Schema({ name: String, type: String },
statics: {
findByName(name) {
return this.find({ name: new RegExp(name, 'i') });
});
animalSchema.statics.findByName = function(name) {
return this.find({ name: new RegExp(name, 'i') });
animalSchema.static('findByBreed', function(breed) { return this.find({ breed }); });
const Animal = mongoose.model('Animal', animalSchema);
let animals = await Animal.findByName('fido');
animals = animals.concat(await Animal.findByBreed('Poodle'));
不要用 ES6 箭头函数声明静态方法。箭头函数明确禁止绑定 this,因此由于 this
,上面的示例将会失效。
你也可以添加查询助手方法,看上去像实例方法但是对于 mongoose 查询的,查询助手方法使得你能去拓展 mongoose 的链式查询建造者(chainable query builder API).
const animalSchema = new Schema({ name: String, type: String },
query: {
byName(name) {
return this.where({ name: new RegExp(name, 'i') });
});
animalSchema.query.byName = function(name) {
return this.where({ name: new RegExp(name, 'i') });
const Animal = mongoose.model('Animal', animalSchema);
Animal.find().byName('fido').exec((err, animals) => {
console.log(animals);
});
Animal.findOne().byName('fido').exec((err, animal) => {
console.log(animal);
});
MongoDB 支持第二索引(secondary indexes)。在 mongoose 中,我们可以通过 Schema
的 at the path level 或者 schema
level 设置索引。当创建组合索引时,在 schema level 设置索引是非常有必要的。
const animalSchema = new Schema({
name: String,
type: String,
tags: { type: [String], index: true }
});
animalSchema.index({ name: 1, type: -1 });
看看 SchemaType#index() 了解其它的 index 选项。
当你的应用启动后,Mongoose 自动为每个 schema 中定义的索引调用 createIndex。Mongoose将会有序得创建每个索引,并且当所有的索引被成功创建无误,会 emit 一个 “index” 事件。
不过为了更好的生产,建议在生产环境下禁用这个行为,因为索引创建可能会导致显著的性能影响。
为了禁用这个行为,可以在 schema 中设置 autoIndex
选项为 false
,或者在全局的连接上设置 autoIndex
为 false
。
mongoose.connect('mongodb://user:[email protected]:port/database', { autoIndex: false });
mongoose.createConnection('mongodb://user:[email protected]:port/database', { autoIndex: false });
mongoose.set('autoIndex', false);
animalSchema.set('autoIndex', false);
new Schema({ }, { autoIndex: false });
Mongoose 将会发起一个 index
事件在 model 上当索引被创建完成或者出现错误。
animalSchema.index({ _id: 1 }, { sparse: true });
const Animal = mongoose.model('Animal', animalSchema);
Animal.on('index', error => {
console.log(error.message);
});
可以阅读 Model#ensureIndexes 方法.
[虚拟(Virtuals)](api/schema.html#schema_Schema-virtual) 是指你可以从文档中获取到,但实际并不存储在 MongoDB 中的那些属性。getters 非常有助于 fields 的格式化,而setters对于将单个值组合成多个值以进行存储很有用。
const personSchema = new Schema({
name: {
first: String,
last: String
});
const Person = mongoose.model('Person', personSchema);
const axl = new Person({
name: { first: 'Axl', last: 'Rose' }
});
假设你想要打印全名,你可以这样实现:
Suppose you want to print out the person’s full name. You could do it yourself:
console.log(axl.name.first + ' ' + axl.name.last);
但是每次都要拼接姓和名非常麻烦。那如果您想对名称进行一些额外的处理,例如删除附加符号呢?一个 虚拟属性获取器(virtual property getter) 能让你定义一个虚拟的全名属性,并且全名并不会被持久化地存储到 MongoDB。
const personSchema = new Schema({
name: {
first: String,
last: String
}, {
virtuals: {
fullName: {
get() {
return this.name.first + ' ' + this.name.last;
});
personSchema.virtual('fullName').get(function() {
return this.name.first + ' ' + this.name.last;
});
现在,每当你访问 fullname
属性时 mongoose 将会调用你设置的 getter:
console.log(axl.fullName);
如果你使用了 toJSON()
或者 toObject()
Mongoose 将默认地不会把虚拟属性包含在内,在使用 toJSON()
或 toObject()
时传递 { virtuals: true }
可以包含虚拟属性。
doc.toObject({ virtuals: true });
doc.toJSON({ virtuals: true });
对于 JSON.stringify()
也是一样的,如果你想让 JSON.stringify
的输入包含虚拟字段,可以调用 toObject({vitruals: true})
,也可以在定义 Schema 时直接设置 toJSON
为 { virtuals: true }
JSON.stringify(doc.toObject({ virtuals: true }));
const personSchema = new Schema({
name: {
first: String,
last: String
}, {
toJSON: { virtuals: true }
});
你也可以为 fullname
虚拟字段设置 setter,去同时更新姓和名。
const personSchema = new Schema({
name: {
first: String,
last: String
}, {
virtuals: {
fullName: {
get() {
return this.name.first + ' ' + this.name.last;
set(v) {
this.name.first = v.substr(0, v.indexOf(' '));
this.name.last = v.substr(v.indexOf(' ') + 1);
});
personSchema.virtual('fullName').
get(function() {
return this.name.first + ' ' + this.name.last;
}).
set(function(v) {
this.name.first = v.substr(0, v.indexOf(' '));
this.name.last = v.substr(v.indexOf(' ') + 1);
});
axl.fullName = 'William Rose';
虚拟属性的 setters 在其它的验证前起效,因此上面的示例仍然有效当 first
和 last
都设置为必要时。
只有非虚拟的属性可以作为查询的字段,因为虚拟属性是不存在于 MongoDB 中的,我们不能依据它们去查询。
你可以 learn more about virtuals here.
别名是一种特殊的虚拟,它的 getter 和 setter 作用于其它的实例属性。这对于节省网络带宽非常方便,因为您可以将存储在数据库中的短属性名称转换为较长的名称以提高代码可读性。
const personSchema = new Schema({
n: {
type: String,
alias: 'name'
});
const person = new Person({ name: 'Val' });
console.log(person);
console.log(person.toObject({ virtuals: true }));
console.log(person.name);
person.name = 'Not Val';
console.log(person);
你还可以在嵌套路径上声明别名。使用嵌套模式和 子文档(subdocuments) 更容易,但您也可以内联声明路径别名,只要您使用完整的嵌套路径 nested.myProp
作为别名即可。
[require:gh-6671]
Schemas 有一些可供配置的选项被传递给构造器或者 set
方法:
new Schema({ }, options);
const schema = new Schema({ });
schema.set(option, value);
有效的选项:
默认情况下,在 Mongoose 连接到 MongoDB 后,Mongoose's `init()` 方法将调用 `Model.createIndexes()` 来创建所有模型摘要种定义的索引。但是,索引生成也会在生产环境下对数据库产生大量负载。如果要在生产中仔细管理索引,可以将 `autoIndex` 设置为 false。
const schema = new Schema({ }, { autoIndex: false });
const Clock = mongoose.model('Clock', schema);
Clock.ensureIndexes(callback);
autoIndex
选项默认被设置为 true
,你可以通过设置 mongoose.set('autoIndex', false);
来更改它。
在 Mongoose 创建索引之前,它会默认调用 `Model.createCollection()` 去创建 MongoDB 种的底层集合。 调用 `Model.createCollection()` 会根据排序规则选项(排序规则)设置集合默认排序规则,如果设置了上限架构选项(caped),则将集合建立为上限集合。
您可以通过使用 mongoose.set('autoCreate', false)
将 autoCreate
设置为 false
来禁用此行为。与 autoIndex 一样,autoCreate 对开发和测试环境很有帮助,但您可能希望在生产环境中禁用它以避免不必要的数据库调用。
不幸的是,createCollection()
无法更改现有的集合。例如,如果将 capped: { size: 1024 }
添加到 schema 中,并且现有集合没有上限,则 createCollection()
不会覆盖现有集合。这是因为 MongoDB 服务器不允许在不先删除集合的情况下更改集合选项。
const schema = new Schema({ name: String }, {
autoCreate: false,
capped: { size: 1024 }
});
const Test = mongoose.model('Test', schema);
await Test.createCollection();
默认情况下,mongoose 会在连接断开时缓冲命令,直到驱动程序设法重新连接。若要禁用缓冲,请将 `bufferCommands` 设置为 `false`。
const schema = new Schema({ }, { bufferCommands: false });
schema 的 bufferCommands
选项将覆盖全局的 bufferCommands
选项。
mongoose.set('bufferCommands', true);
const schema = new Schema({ }, { bufferCommands: false });
如果 `bufferCommands` 处于打开状态,则此选项设置 Mongoose 缓冲在引发错误之前等待的最长时间。如果未指定,Mongoose 将使用 10000(10 秒)。
const schema = new Schema({ }, { bufferTimeoutMS: 1000 });
Mongoose 支持 MongoDB 的 capped collection。要指定要封顶的底层 MongoDB 集合,请为集合的最大大小设置上限(以字节为单位)。
new Schema({ }, { capped: 1024 });
如果要传递其他选项,例如 max,也可以将上限选项设置为对象。在这种情况下,必须显式传递 size 选项,这是必需的。
new Schema({ }, { capped: { size: 1024, max: 1000, autoIndexId: true } });
默认情况下,Mongoose 通过将模型名称传递给 `utils.toCollectionName` 方法来生成集合名称。此方法将名称复数化。如果集合需要其他名称,请设置此选项。
const dataSchema = new Schema({ }, { collection: 'data' });
当你定义了一个鉴别器,Mongoose会向你的 schema 添加一个路径,用于存储文档是哪个鉴别器的实例。默认情况下,猫鼬会添加 `__t` 路径,但您可以设置 `discriminatorKey` 来覆盖此默认值。
const baseSchema = new Schema({}, { discriminatorKey: 'type' });
const BaseModel = mongoose.model('Test', baseSchema);
const personSchema = new Schema({ name: String });
const PersonModel = BaseModel.discriminator('Person', personSchema);
const doc = new PersonModel({ name: 'James T. Kirk' });
doc.type;
当 `excludeIndexes` 被设置为 `true`,Mongoose 将不会创建来自子文档 schema 的索引。这个选项当且仅当 schema 被用于子文档时有效,Mongoose 会忽略这个选项如果它被用于顶级模型的 schema。默认值为 `false`:
const childSchema1 = Schema({
name: { type: String, index: true }
});
const childSchema2 = Schema({
name: { type: String, index: true }
}, { excludeIndexes: true });
const User = new Schema({
name: { type: String, index: true },
child1: childSchema1,
child2: childSchema2
});
默认情况下,Mongoose 为每个 Schema 分配一个 id 虚拟 getter,这会将文档 `_id` 字段转换为字符串,或者在 ObjectIds 的情况下返回其十六进制字符串。如果您不希望将 id getter 添加到您的架构中,您可以通过在架构构建时传递此选项来禁用它。
const schema = new Schema({ name: String });
const Page = mongoose.model('Page', schema);
const p = new Page({ name: 'mongodb.org' });
console.log(p.id);
const schema = new Schema({ name: String }, { id: false });
const Page = mongoose.model('Page', schema);
const p = new Page({ name: 'mongodb.org' });
console.log(p.id);
默认情况下为每个 Schema 分配一个 `_id` 字段,如果它没有被传递到这个 Schema 的构造器种的话。分配的类别是 [ObjectId](api/schema.html#schema_Schema-Types),与 MongoDB 的默认行为一致。如果你不想你的 schema 中有 `_id` 字段,可以使用此选项将其禁用。
你只能在子文档中使用这个选项。Mongoose 不允许在没有 _id
的情况下保存文档,因此如果您尝试在没有 _id
的情况下保存文档,则会出现错误。
const schema = new Schema({ name: String });
const Page = mongoose.model('Page', schema);
const p = new Page({ name: 'mongodb.org' });
console.log(p);
const childSchema = new Schema({ name: String }, { _id: false });
const parentSchema = new Schema({ children: [childSchema] });
const Model = mongoose.model('Model', parentSchema);
Model.create({ children: [{ name: 'Luke' }] }, (error, doc) => {
});
默认情况下,Mongoose 将通过删除空对象来实现"minimize"。通过调用 `Model.lean()` 可以进行压缩。
const schema = new Schema({ name: String, inventory: {} });
const Character = mongoose.model('Character', schema);
const frodo = new Character({ name: 'Frodo', inventory: { ringOfPower: 1 } });
await frodo.save();
let doc = await Character.findOne({ name: 'Frodo' }).lean();
doc.inventory;
const sam = new Character({ name: 'Sam', inventory: {} });
await sam.save();
doc = await Character.findOne({ name: 'Sam' }).lean();
doc.inventory;
可以通过将 minimize
选项设置为 false
来覆盖此行为。然后,它将存储空对象。
const schema = new Schema({ name: String, inventory: {} }, { minimize: false });
const Character = mongoose.model('Character', schema);
const sam = new Character({ name: 'Sam', inventory: {} });
await sam.save();
doc = await Character.findOne({ name: 'Sam' }).lean();
doc.inventory;
要检查对象是否为空,可以使用 isEmpty()
帮助函数:
const sam = new Character({ name: 'Sam', inventory: {} });
sam.$isEmpty('inventory');
sam.inventory.barrowBlade = 1;
sam.$isEmpty('inventory');
允许在 schema 级设置 query#read 选项,这为我们为所有的模型查询应用默认的 读关联(ReadPreferences)提供了一个途径。
const schema = new Schema({ }, { read: 'primary' });
const schema = new Schema({ }, { read: 'primaryPreferred' });
const schema = new Schema({ }, { read: 'secondary' });
const schema = new Schema({ }, { read: 'secondaryPreferred' });
const schema = new Schema({ }, { read: 'nearest' });
每个 pref
的别名也是允许的,因此我们不必键入 outsecondaryPreferred
并弄错拼写,我们可以简单地传递 sp
。
read
选项还允许我们指定 tag
集。这些告诉 driver 它应该尝试从副本集的哪些成员读取。在 here和 here阅读有关tag
集的更多信息。
注意:您也可以在连接时指定驱动程序读取首选项 策略(strategy)选项:**
const options = { replset: { strategy: 'ping' } };
mongoose.connect(uri, options);
const schema = new Schema({ }, { read: ['nearest', { disk: 'ssd' }] });
mongoose.model('JellyBean', schema);
允许在 schema 级别设置 write concern 。
const schema = new Schema({ name: String }, {
writeConcern: {
w: 'majority',
j: true,
wtimeout: 1000
});
`shardKey` 选项用于 [sharded MongoDB architecture](https://www.mongodb.com/docs/manual/sharding/) 每个分片集合都有一个分片键,该键必须存在于所有插入/更新操作中。我们只需要将此模式选项设置为 `sameshard` 键,我们就完成了一切。
new Schema({ }, { shardKey: { tag: 1, name: 1 } });
要注意 Mongoose 不会发送 shardcollection
命令给你,你必须自行配置分片。
严格选项(默认启用)可确保传递给我们的模型构造函数的未在我们的架构中指定的值不会保存到数据库中。
const thingSchema = new Schema({ })
const Thing = mongoose.model('Thing', thingSchema);
const thing = new Thing({ iAmNotInTheSchema: true });
thing.save();
const thingSchema = new Schema({ }, { strict: false });
const thing = new Thing({ iAmNotInTheSchema: true });
thing.save();
这也会影响使用 doc.set()
设置属性值。
const thingSchema = new Schema({ });
const Thing = mongoose.model('Thing', thingSchema);
const thing = new Thing;
thing.set('iAmNotInTheSchema', true);
thing.save();
可以通过传递第二个布尔参数在模型实例级别覆盖此值:
const Thing = mongoose.model('Thing');
const thing = new Thing(doc, true);
const thing = new Thing(doc, false);
strict
选项也可以设置为 throw
,这将导致产生错误而不是删除错误数据。
注意:无论架构选项如何,始终忽略架构中不存在的实例上设置的任何键/值。
const thingSchema = new Schema({ });
const Thing = mongoose.model('Thing', thingSchema);
const thing = new Thing;
thing.iAmNotInTheSchema = true;
thing.save();
Mongoose 支持单独的 `strictQuery` 选项,以避免查询过滤器的严格模式。这是因为空查询筛选器会导致 Mongoose 返回模型中的所有文档,这可能会导致问题。
const mySchema = new Schema({ field: Number }, { strict: true });
const MyModel = mongoose.model('Test', mySchema);
MyModel.find({ notInSchema: 1 });
strict
选项适用于更新文档,strictQuery
仅仅适用于查询过滤。
MyModel.updateMany({}, { $set: { notInSchema: 1 } });
猫鼬有一个单独的 strictQuery
选项,用于将 filter
参数的严格模式切换为查询。
const mySchema = new Schema({ field: Number }, {
strict: true,
strictQuery: false
});
const MyModel = mongoose.model('Test', mySchema);
MyModel.find({ notInSchema: 1 });
通常,我们不建议将用户定义的对象作为查询筛选器传递:
const docs = await MyModel.find(req.query);
const docs = await MyModel.find({ name: req.query.name, age: req.query.age }).setOptions({ sanitizeFilter: true });
在 Mongoose 7 中,strictQuery
默认为 false
。但是,您可以全局覆盖此行为:
mongoose.set('strictQuery', true);
和 [toObject](#toObject) 选项是完全相同的,但仅当调用 [toJSON()](https://thecodebarbarian.com/what-is-the-tojson-function-in-javascript.html) 方法时才适用。
const schema = new Schema({ name: String });
schema.path('name').get(function(v) {
return v + ' is my name';
});
schema.set('toJSON', { getters: true, virtuals: false });
const M = mongoose.model('Person', schema);
const m = new M({ name: 'Max Headroom' });
console.log(m.toObject());
console.log(m.toJSON());
console.log(JSON.stringify(m));
要查看所有可用的 toJSON
/ toObject
选项,看这里 。
文档拥有一个 `toObject` 方法,该方法将 Mongoose 文档转换为普通的JavaScript对象。此方法接受一些选项。我们可以在架构级别声明这些选项,并默认将它们应用于所有架构文档,而不是在每个文档的基础上应用这些选项。
要让所有虚拟字段显示在 console.log
输出中,请将 toObject
选项设置为 { getters: true }
:
const schema = new Schema({ name: String });
schema.path('name').get(function(v) {
return v + ' is my name';
});
schema.set('toObject', { getters: true });
const M = mongoose.model('Person', schema);
const m = new M({ name: 'Max Headroom' });
console.log(m);
要查看所有可用的 toObject
选项,看这里 。
默认情况下,如果在 Schema 中有一个键 `type`,mongoose 会将其解释为类型声明。
const schema = new Schema({ loc: { type: String, coordinates: [Number] } });
但是,对于像 geoJSON 这样的应用程序,type 属性很重要。如果要控制查找类型声明的键猫鼬,请设置 typeKey 架构选项。
const schema = new Schema({
loc: { type: String, coordinates: [Number] },
name: { $type: String }
}, { typeKey: '$type' });
默认情况下,文档在保存到数据库之前会自动验证。这是为了防止保存无效文档。如果要手动处理验证,并且能够保存未通过验证的对象,则可以将 `validateBeforeSave` 设置为 false。
const schema = new Schema({ name: String });
schema.set('validateBeforeSave', false);
schema.path('name').validate(function(value) {
return value != null;
});
const M = mongoose.model('Person', schema);
const m = new M({ name: null });
m.validate(function(err) {
console.log(err);
});
m.save();
`versionKey` 是 Mongoose 首次创建时在每个文档上设置的属性(`__v`)。此键值包含文档的[内部修订版](http://aaronheckmann.blogspot.com/2012/06/mongoose-v3-part-1-versioning.html)。`versionKey` 选项是一个字符串,表示用于版本控制的路径。器默认值为 `__v`。如果这与您的应用程序冲突,您可以这样配置:
const schema = new Schema({ name: 'string' });
const Thing = mongoose.model('Thing', schema);
const thing = new Thing({ name: 'mongoose v3' });
await thing.save();
new Schema({ }, { versionKey: '_somethingElse' })
const Thing = mongoose.model('Thing', schema);
const thing = new Thing({ name: 'mongoose v3' });
thing.save();
请注意,Mongooses 默认版本控制不是完全乐观的并发 解决方案。Mongooses 默认版本控制仅在数组上运行,如下所示。
const doc1 = await Model.findOne({ _id });
const doc2 = await Model.findOne({ _id });
doc1.comments.splice(0, 3);
await doc1.save();
doc2.set('comments.1.body', 'new comment');
await doc2.save();
如果需要对 save()
的乐观并发支持,可以设置 optimisticConcurrency 选项 。也可以通过将 versionKey
设置为 false
来禁用文档版本控制。
除非您明白自己在做什么,否则不要禁用版本控制。
new Schema({ }, { versionKey: false });
const Thing = mongoose.model('Thing', schema);
const thing = new Thing({ name: 'no versioning please' });
thing.save();
Mongoose 仅在使用 save()
时更新版本键。如果你使用 update()
,findOneAndUpdate()
等,Mongoose 不会更新版本键。作为解决方法,您可以使用以下中间件。
schema.pre('findOneAndUpdate', function() {
const update = this.getUpdate();
if (update.__v != null) {
delete update.__v;
const keys = ['$set', '$setOnInsert'];
for (const key of keys) {
if (update[key] != null && update[key].__v != null) {
delete update[key].__v;
if (Object.keys(update[key]).length === 0) {
delete update[key];
update.$inc = update.$inc || {};
update.$inc.__v = 1;
});
[乐观并发(Optimistic concurrency)](https://en.wikipedia.org/wiki/Optimistic_concurrency_control) 是一种策略,用于确保您正在更新的文档在使用 `find()` 或 `findOne()` 加载文档时与使用 `save()` 更新文档时不会发生变化。例如,假设您有一个包含照片列表的 `House` 模型,以及表示此房屋是否显示在搜索中的 `status`。假设状态为 `'APPROVED'` 的房屋必须至少有两张照片。您可以实现批准内部文档的逻辑,如下所示:
async function markApproved(id) {
const house = await House.findOne({ _id });
if (house.photos.length < 2) {
throw new Error('House must have at least two photos!');
house.status = 'APPROVED';
await house.save();
markApproved()
函数在孤立的情况下看起来是正确的,但可能存在一个潜在的问题:如果另一个函数在 findOne()
调用和 save()
调用之间删除房屋照片怎么办?例如,下面的代码将成功:
const house = await House.findOne({ _id });
if (house.photos.length < 2) {
throw new Error('House must have at least two photos!');
const house2 = await House.findOne({ _id });
house2.photos = [];
await house2.save();
house.status = 'APPROVED';
await house.save();
如果在 House
Model
的 Schema 上设置 optimisticConcurrency
选项,则上述脚本将引发错误。
const House = mongoose.model('House', Schema({
status: String,
photos: [String]
}, { optimisticConcurrency: true }));
const house = await House.findOne({ _id });
if (house.photos.length < 2) {
throw new Error('House must have at least two photos!');
const house2 = await House.findOne({ _id });
house2.photos = [];
await house2.save();
house.status = 'APPROVED';
await house.save();
为每个查询和聚合设置校验。[Here's a beginner-friendly overview of collations](http://thecodebarbarian.com/a-nodejs-perspective-on-mongodb-34-collations).
const schema = new Schema({
name: String
}, { collation: { locale: 'en_US', strength: 1 } });
const MyModel = db.model('MyModel', schema);
MyModel.create([{ name: 'val' }, { name: 'Val' }]).
then(() => {
return MyModel.find({ name: 'val' });
}).
then((docs) => {
});
如果在 Schema 上设置 `timeseries` 选项,Mongoose 将为从该 schema 创建的任何 model 创建 [timeseries collection](https://www.mongodb.com/docs/manual/core/timeseries-collections/) 。
const schema = Schema({ name: String, timestamp: Date, metadata: Object }, {
timeseries: {
timeField: 'timestamp',
metaField: 'metadata',
granularity: 'hours'
autoCreate: false,
expireAfterSeconds: 86400
});
const Test = db.model('Test', schema);
`skipVersioning` 允许从版本控制中排除路径(即使更新了这些路径,内部修订版也不会递增)。除非你知道自己在做什么,否则不要这样做。对于子文档,请使用完全限定路径在父文档中包含这个。
new Schema({ }, { skipVersioning: { dontVersionMe: true } });
thing.dontVersionMe.push('hey');
thing.save();
`timestamps` 选项告诉 Mongoose 将 `createdAt` 和 `updatedAt` 字段分配给你的 schema。其类型是 `Date`。
默认情况下,这两个字段的名称是 createdAt
和 updatedAt
。你可以通过设置 timestamps.createdAt
和 timestamps.updatedAt
来自定义它们的名字。
以下是 timestamps
在后台的工作方式:
- 如果你创建了一个新的文档,mongoose 会简单地设置
createdAt
和 updatedAt
为创建的时间。 - 如果你更新了一个文档,mongoose 会将
updatedAt
添加到 $set
对象。 - 如果你在一次更新操作上设置了
upsert: true
,mongoose 将会使用 $setOnInsert
操作器去为这个文档添加 createdAt
以防止这个 upsert
操作会创建新的文档。
const thingSchema = new Schema({ }, { timestamps: { createdAt: 'created_at' } });
const Thing = mongoose.model('Thing', thingSchema);
const thing = new Thing();
await thing.save();
await Thing.updateOne({}, { $set: { name: 'Test' } });
await Thing.findOneAndUpdate({}, { $set: { name: 'Test2' } });
await Thing.bulkWrite([
insertOne: {
document: {
name: 'Jean-Luc Picard',
ship: 'USS Stargazer'
updateOne: {
filter: { name: 'Jean-Luc Picard' },
update: {
$set: {
ship: 'USS Enterprise'
]);
默认情况下,Mongoose 使用新的 new Date()
来获取当前时间。如果要覆盖 Mongoose 用于获取当前时间的函数,可以设置 timestamps.currentTime
选项。Mongoose 会在需要获取当前时间时调用 timestamps.currentTime
函数。
const schema = Schema({
createdAt: Number,
updatedAt: Number,
name: String
}, {
timestamps: { currentTime: () => Math.floor(Date.now() / 1000) }
});
Mongoose 支持定义全局的插件,插件会被应用到所有的 schemas。
mongoose.plugin(function myPlugin(schema) {
schema.add({ meta: {} });
});
有时候,你可能只是想要给某些 schemas 应用插件。这种情况下,你可以给一个 schema 添加 plugnTags
选项。
const schema1 = new Schema({
name: String
}, { pluginTags: ['useMetaPlugin'] });
const schema2 = new Schema({
name: String
});
如果你使用 tags
选项调用了 plugn()
,Mongoose 只会将该插件应用于那些在 pluginTags
中具有匹配条目的 schemas 。
mongoose.plugin(function myPlugin(schema) {
schema.add({ meta: {} });
}, { tags: ['useMetaPlugin'] });
默认情况下,Mongoose 会自动为您 `select()` 任何填充的路径,除非您明确排除它们。
const bookSchema = new Schema({
title: 'String',
author: { type: 'ObjectId', ref: 'Person' }
});
const Book = mongoose.model('Book', bookSchema);
await Book.find().select('title').populate('author');
await Book.find().select('title author').populate('author');
若要默认选择不选择填充字段,请在你的 schemas 中将 selectPopulatedPaths
设置为 false
。
const bookSchema = new Schema({
title: 'String',
author: { type: 'ObjectId', ref: 'Person' }
}, { selectPopulatedPaths: false });
const Book = mongoose.model('Book', bookSchema);
const doc = await Book.findOne().select('title').populate('author');
出于遗留原因,当单个嵌套 schema 的子路径中存在验证错误时,Mongoose 也会记录单个嵌套 schema 路径中存在验证错误。例如:
const childSchema = new Schema({ name: { type: String, required: true } });
const parentSchema = new Schema({ child: childSchema });
const Parent = mongoose.model('Parent', parentSchema);
new Parent({ child: {} }).validateSync().errors;
在子 schema 上将 storeSubdocValidationError
设置为 false
,可以使 Mongoose 仅报告父错误。
const childSchema = new Schema({
name: { type: String, required: true }
}, { storeSubdocValidationError: false });
const parentSchema = new Schema({ child: childSchema });
const Parent = mongoose.model('Parent', parentSchema);
new Parent({ child: {} }).validateSync().errors;
像 `collation` 和 `capped` 这样的选项会影响到 Mongoose 在创建新集合时传递的选项。Mongoose schemas 支持大部分 [MongoDB `createCollection()` options](https://www.mongodb.com/docs/manual/reference/method/db.createCollection/),但不是全部。 你可以使用 `collectionOptions` 选项去设置任何的 `createCollection()` 选项;当为你的 schema 调用 `createCollection` 时,Mongoose 会使用 `collectionOptions` 作为默认的值。
const schema = new Schema({ name: String }, {
autoCreate: false,
collectionOptions: {
capped: true,
max: 1000
});
const Test = mongoose.model('Test', schema);
await Test.createCollection();
Schemas 拥有一个 loadClass()
method,这个方法可以让你使用 ES6 class 创建一个 Mongoose schema:
这是一个使用 loadClass()
去创建一个源自 ES6 类的 schema 的例子:
class MyClass {
myMethod() { return 42; }
static myStatic() { return 42; }
get myVirtual() { return 42; }
const schema = new mongoose.Schema();
schema.loadClass(MyClass);
console.log(schema.methods);
console.log(schema.statics);
console.log(schema.virtuals);
Schemas 也是可插拔的,这允许我们将可重用的功能打包到插件中,将插件在社区或者你的项目中共享。
这个是 Mongoose schemas 的另一份介绍。
为了充分利用 MongoDB,你需要学习 MongoDB 模式设计的基础知识。SQL模式设计(第三范式)旨在最小化存储成本,而 MongoDB 模式设计是关于尽可能快地进行常见查询。MongoDB 模式设计的6条经验法则博客系列是学习快速查询的基本规则的绝佳资源。
希望在 Node.js 中掌握 MongoDB 模式设计的用户,应该看看 Christian Kvalheim 的 The Little MongoDB Schema Design Book,这本书告诉你如何为一系列用例实现高性能模式,包括电子商务,wikis 和 预约。
Next Up
现在我们已经介绍了 Schemas,让我们来看看 SchemaTypes 。
MongoDB Schema 配置与使用指南
mongodb-schemaInfer a probabilistic schema for a MongoDB collection.项目地址:https://gitcode.com/gh_mirrors/mo/mongodb-schema 1. 项目目录结构及介绍
仓库 mongodb-js/mongodb-schema 主要聚焦于MongoDB...
这些表达式运算符可用于构造用于聚合管道阶段的表达式。
运算符表达式类似于带参数的函数。通常,这些表达式采用一组参数并具有以下形式:
{ <operator>: [ <argument1>, <argument2> ... ] }
如果 operator 接受单个参数,则可以省略指定参数列表的外部数组
本文已整理到 Github,地址 ???? blog。
如果我的内容帮助到了您,欢迎点个 Star ???????????? 鼓励鼓励 :) ~~
我希望我的内容可以帮助你。现在我专注于前端领域,但我也将分享我在有限的时间内看到和感受到的东西。
Mongoose 有 4 种不同的方式来更新文档。
Document.save()
Model.updateOne()和 updateMany()
Document.u...