The Mongoose Aggregate constructor
The Mongoose CastError constructor
The Mongoose Collection constructor
Opens the default mongoose connection.
If arguments are passed, they are proxied to either
Connection#open or
Connection#openSet appropriately.
Options passed take precedence over options included in connection strings.
mongoose.connect('mongodb://user:pass@localhost:port/database'); // replica sets var uri = 'mongodb://user:pass@localhost:port,anotherhost:port,yetanother:port/mydatabase'; mongoose.connect(uri); // with options mongoose.connect(uri, options); // connecting to multiple mongos var uri = 'mongodb://hostA:27501,hostB:27501'; var opts = { mongos: true }; mongoose.connect(uri, opts); // optional callback that gets fired when initial connection completed var uri = 'mongodb://nonexistent.domain:27000'; mongoose.connect(uri, function(error) { // if error is truthy, the initial connection failed. })
The Mongoose Connection constructor
Creates a Connection instance.
Each connection
instance maps to a single database. This method is helpful when mangaging multiple db connections.
If arguments are passed, they are proxied to either Connection#open or Connection#openSet appropriately. This means we can pass db
, server
, and replset
options to the driver. Note that the safe
option specified in your schema will overwrite the safe
db option specified here unless you set your schemas safe
option to undefined
. See this for more information.
Options passed take precedence over options included in connection strings.
// with mongodb:// URI db = mongoose.createConnection('mongodb://user:pass@localhost:port/database'); // and options var opts = { db: { native_parser: true }} db = mongoose.createConnection('mongodb://user:pass@localhost:port/database', opts); // replica sets db = mongoose.createConnection('mongodb://user:pass@localhost:port,anotherhost:port,yetanother:port/database'); // and options var opts = { replset: { strategy: 'ping', rs_name: 'testSet' }} db = mongoose.createConnection('mongodb://user:pass@localhost:port,anotherhost:port,yetanother:port/database', opts); // with [host, database_name[, port] signature db = mongoose.createConnection('localhost', 'database', port) // and options var opts = { server: { auto_reconnect: false }, user: 'username', pass: 'mypassword' } db = mongoose.createConnection('localhost', 'database', port, opts) // initialize now, connect later db = mongoose.createConnection(); db.open('localhost', 'database', port, [opts]);
Disconnects all connections.
[fn]
<Function> called after all connection close.
The Mongoose Document constructor.
The Mongoose DocumentProvider constructor.
The MongooseError constructor.
Gets mongoose options
key
<String>
mongoose.get('test') // returns the 'test' value
Defines a model or retrieves it.
Models defined on the mongoose
instance are available to all connection created by the same mongoose
instance.
var mongoose = require('mongoose'); // define an Actor model with this mongoose instance mongoose.model('Actor', new Schema({ name: String })); // create a new connection var conn = mongoose.createConnection(..); // retrieve the Actor model var Actor = conn.model('Actor');
When no collection
argument is passed, Mongoose produces a collection name by passing the model name
to the utils.toCollectionName method. This method pluralizes the name. If you don't like this behavior, either pass a collection name or set your schemas collection name option.
var schema = new Schema({ name: String }, { collection: 'actor' }); // or schema.set('collection', 'actor'); // or var collectionName = 'actor' var M = mongoose.model('Actor', schema, collectionName)
The Mongoose Model constructor.
Returns an array of model names created on this instance of Mongoose.
Does not include names of models created using connection.model()
.
Mongoose constructor.
The exports object of the mongoose
module is an instance of this class.
Most apps will only use this one instance.
The Mongoose constructor
The exports of the mongoose module is an instance of this class.
var mongoose = require('mongoose'); var mongoose2 = new mongoose.Mongoose();
Declares a global plugin executed on all Schemas.
Equivalent to calling .plugin(fn)
on each Schema you create.
The Mongoose Promise constructor.
Storage layer for mongoose promises
The Mongoose Query constructor.
The Mongoose Schema constructor
var mongoose = require('mongoose'); var Schema = mongoose.Schema; var CatSchema = new Schema(..);
The Mongoose SchemaType constructor
Sets mongoose options
mongoose.set('test', value) // sets the 'test' option to `value` mongoose.set('debug', true) // enable logging collection methods + arguments to the console mongoose.set('debug', function(collectionName, methodName, arg1, arg2...) {}); // use custom function to log collection methods + arguments
Expose connection states for user-land
The Mongoose VirtualType constructor
The default connection of the mongoose module.
var mongoose = require('mongoose'); mongoose.connect(...); mongoose.connection.on('error', cb);
This is the connection used by default for every model created using mongoose.model.
The node-mongodb-native driver Mongoose uses.
The mquery query builder Mongoose uses.
The various Mongoose SchemaTypes.
Alias of mongoose.Schema.Types for backwards compatibility.
The various Mongoose Types.
var mongoose = require('mongoose'); var array = mongoose.Types.Array;
Using this exposed access to the ObjectId
type, we can construct ids on demand.
var ObjectId = mongoose.Types.ObjectId; var id1 = new ObjectId;
The Mongoose version
Destroys the stream, closing the underlying cursor, which emits the close event. No more events will be emitted after the close event.
[err]
<Error>
Pauses this stream.
Pipes this query stream into another stream. This method is inherited from NodeJS Streams.
query.stream().pipe(writeStream [, options])
Provides a Node.js 0.8 style ReadStream interface for Queries.
data
: emits a single Mongoose document
error
: emits when an error occurs during streaming. This will emit before the close
event.
close
: emits when the stream reaches the end of the cursor or an error occurs, or the stream is manually destroy
ed. After this event, no more events are emitted.
var stream = Model.find().stream(); stream.on('data', function (doc) { // do something with the mongoose document }).on('error', function (err) { // handle the error }).on('close', function () { // the stream is closed });
The stream interface allows us to simply "plug-in" to other Node.js 0.8 style write streams.
Model.where('created').gte(twoWeeksAgo).stream().pipe(writeStream);
transform
: optional function which accepts a mongoose document. The return value of the function will be emitted on data
.// JSON.stringify all documents before emitting var stream = Thing.find().stream({ transform: JSON.stringify }); stream.pipe(writeStream);
NOTE: plugging into an HTTP response will *not* work out of the box. Those streams expect only strings or buffers to be emitted, so first formatting our documents as strings/buffers is necessary.
NOTE: these streams are Node.js 0.8 style read streams which differ from Node.js 0.10 style. Node.js 0.10 streams are not well tested yet and are not guaranteed to work.
Resumes this stream.
Flag stating whether or not this stream is paused.
Flag stating whether or not this stream is readable.
Connection constructor
base
<Mongoose> a mongoose instance
connecting
: Emitted when connection.{open,openSet}()
is executed on this connection.
connected
: Emitted when this connection successfully connects to the db. May be emitted multiple times in reconnected
scenarios.
open
: Emitted after we connected
and onOpen
is executed on all of this connections models.
disconnecting
: Emitted when connection.close()
was executed.
disconnected
: Emitted after getting disconnected from the db.
close
: Emitted after we disconnected
and onClose
executed on all of this connections models.
reconnected
: Emitted after we connected
and subsequently disconnected
, followed by successfully another successfull connection.
error
: Emitted when an error occurs on this connection.
fullsetup
: Emitted in a replica-set scenario, when primary and at least one seconaries specified in the connection string are connected.
all
: Emitted in a replica-set scenario, when all nodes specified in the connection string are connected.
For practical reasons, a Connection equals a Db.
Opens the connection to MongoDB.
options
is a hash with the following possible properties:
config - passed to the connection config instance db - passed to the connection db instance server - passed to the connection server instance(s) replset - passed to the connection ReplSet instance user - username for authentication pass - password for authentication auth - options for authentication (see http://mongodb.github.com/node-mongodb-native/api-generated/db.html#authenticate)
Mongoose forces the db option forceServerObjectId
false and cannot be overridden.
Mongoose defaults the server auto_reconnect
options to true which can be overridden.
See the node-mongodb-native driver instance for options that it understands.
Options passed take precedence over options included in connection strings.
Helper for dropDatabase()
.
callback
<Function>
Opens the connection to a replica set.
var db = mongoose.createConnection(); db.openSet("mongodb://user:pwd@localhost:27020,localhost:27021,localhost:27012/mydb");
The database name and/or auth need only be included in one URI.
The options
is a hash which is passed to the internal driver connection object.
Valid options
db - passed to the connection db instance server - passed to the connection server instance(s) replset - passed to the connection ReplSetServer instance user - username for authentication pass - password for authentication auth - options for authentication (see http://mongodb.github.com/node-mongodb-native/api-generated/db.html#authenticate) mongos - Boolean - if true, enables High Availability support for mongos
Options passed take precedence over options included in connection strings.
If connecting to multiple mongos servers, set the mongos
option to true.
conn.open('mongodb://mongosA:27501,mongosB:27501', { mongos: true }, cb);
Mongoose forces the db option forceServerObjectId
false and cannot be overridden.
Mongoose defaults the server auto_reconnect
options to true which can be overridden.
See the node-mongodb-native driver instance for options that it understands.
Options passed take precedence over options included in connection strings.
Closes the connection
[callback]
<Function> optional
Retrieves a collection, creating it if not cached.
Not typically needed by applications. Just talk to your collection through your model.
Defines or retrieves a model.
var mongoose = require('mongoose'); var db = mongoose.createConnection(..); db.model('Venue', new Schema(..)); var Ticket = db.model('Ticket', new Schema(..)); var Venue = db.model('Venue');
When no collection
argument is passed, Mongoose produces a collection name by passing the model name
to the utils.toCollectionName method. This method pluralizes the name. If you don't like this behavior, either pass a collection name or set your schemas collection name option.
var schema = new Schema({ name: String }, { collection: 'actor' }); // or schema.set('collection', 'actor'); // or var collectionName = 'actor' var M = conn.model('Actor', schema, collectionName)
Returns an array of model names created on this connection.
A hash of the global options that are associated with this connection
The mongodb.Db instance, set when the connection is opened
A hash of the collections associated with this connection
Connection ready state
Each state change emits its associated event name.
conn.on('connected', callback); conn.on('disconnected', callback);utils.js
Pluralization rules.
These rules are applied while processing the argument to toCollectionName
.
Uncountable words.
These words are applied while processing the argument to toCollectionName
.
The Mongoose Promise constructor.
The Mongoose browser Document constructor.
The MongooseError constructor.
Storage layer for mongoose promises
The Mongoose Schema constructor
var mongoose = require('mongoose'); var Schema = mongoose.Schema; var CatSchema = new Schema(..);
The Mongoose VirtualType constructor
The various Mongoose SchemaTypes.
Alias of mongoose.Schema.Types for backwards compatibility.
The various Mongoose Types.
var mongoose = require('mongoose'); var array = mongoose.Types.Array;
Using this exposed access to the ObjectId
type, we can construct ids on demand.
var ObjectId = mongoose.Types.ObjectId; var id1 = new ObjectId;
Formatter for debug print args
Debug print helper
Retreives information about this collections indexes.
callback
<Function>
Switches to a different database using the same connection pool.
name
<String> The database name
Returns a new connection object, with the new db.
Expose the possible connection states.
error/messages.jsThe default built-in validator error messages. These may be customized.
// customize within each schema or globally like so var mongoose = require('mongoose'); mongoose.Error.messages.String.enum = "Your custom message for {PATH}.";
As you might have noticed, error messages support basic templating
{PATH}
is replaced with the invalid document path{VALUE}
is replaced with the invalid value{TYPE}
is replaced with the validator type such as "regexp", "min", or "user defined"{MIN}
is replaced with the declared min value for the Number.min validator{MAX}
is replaced with the declared max value for the Number.max validatorClick the "show code" link below to see all defaults.
Console.log helper
MongooseError constructor
msg
<String> Error message
The default built-in validator error messages.
Marks this cursor as closed. Will stop streaming and subsequent calls tonext()
will error.
callback
<Function>
Execute fn
for every document in the cursor. If fn
returns a promise,
will wait for the promise to resolve before iterating on to the next one.
Returns a promise that resolves when done.
Registers a transform function which subsequently maps documents retrieved
via the streams interface or .next()
fn
<Function>
// Map documents returned by `data` events Thing. find({ name: /^hello/ }). cursor(). map(function (doc) { doc.foo = "bar"; return doc; }) on('data', function(doc) { console.log(doc.foo); }); // Or map documents returned by `.next()` var cursor = Thing.find({ name: /^hello/ }). cursor(). map(function (doc) { doc.foo = "bar"; return doc; }); cursor.next(function(error, doc) { console.log(doc.foo); });
Get the next document from this cursor. Will return null
when there are
no documents left.
callback
<Function>
A QueryCursor is a concurrency primitive for processing query results
one document at a time. A QueryCursor fulfills the Node.js streams3 API,
in addition to several other mechanisms for loading documents from MongoDB
one at a time.
cursor
: Emitted when the cursor is created
error
: Emitted when an error occurred
data
: Emitted when the stream is flowing and the next doc is ready
end
: Emitted when the stream is exhausted
Unless you're an advanced user, do not instantiate this class directly.
Use Query#cursor()
instead.
Applies getters to value
using optional scope
.
Applies setters to value
using optional scope
.
Defines a getter.
fn
<Function>
var virtual = schema.virtual('fullname'); virtual.get(function () { return this.name.first + ' ' + this.name.last; });
Defines a setter.
fn
<Function>
var virtual = schema.virtual('fullname'); virtual.set(function (v) { var parts = v.split(' '); this.name.first = parts[0]; this.name.last = parts[1]; });
VirtualType constructor
This is what mongoose uses to define virtual attributes via Schema.prototype.virtual
.
var fullname = schema.virtual('fullname'); fullname instanceof mongoose.VirtualType // true
Adds key path / schema type pairs to this schema.
var ToySchema = new Schema; ToySchema.add({ name: 'string', color: 'string', price: 'number' });
Returns a deep copy of the schema
Iterates the schemas paths similar to Array#forEach.
fn
<Function> callback function
The callback is passed the pathname and schemaType as arguments on each iteration.
Gets a schema option.
key
<String> option name
Defines an index (most likely compound) for this schema.
fields
<Object>
[options]
<Object> Options to pass to MongoDB driver's createIndex()
function
[options.expires=null]
<String> Mongoose-specific syntactic sugar, uses ms to convert expires
option into seconds for the expireAfterSeconds
in the above link.
schema.index({ first: 1, last: -1 })
Compiles indexes from fields and schema-level indexes
Loads an ES6 class into a schema. Maps setters + getters, static methods, and instance methods to schema virtuals, statics, and methods.
model
<Function>
Adds an instance method to documents constructed from Models compiled from this schema.
var schema = kittySchema = new Schema(..); schema.method('meow', function () { console.log('meeeeeoooooooooooow'); }) var Kitty = mongoose.model('Kitty', schema); var fizz = new Kitty; fizz.meow(); // meeeeeooooooooooooow
If a hash of name/fn pairs is passed as the only argument, each name/fn pair will be added as methods.
schema.method({ purr: function () {} , scratch: function () {} }); // later fizz.purr(); fizz.scratch();
Gets/sets schema paths.
Sets a path (if arity 2)
Gets a path (if arity 1)
schema.path('name') // returns a SchemaType schema.path('name', Number) // changes the schemaType of `name` to Number
Returns the pathType of path
for this schema.
path
<String>
Given a path, returns whether it is a real, virtual, nested, or ad-hoc/undefined path.
Registers a plugin for this schema.
Defines a post hook for the document
var schema = new Schema(..); schema.post('save', function (doc) { console.log('this fired after a document was saved'); }); shema.post('find', function(docs) { console.log('this fired after you run a find query'); }); var Model = mongoose.model('Model', schema); var m = new Model(..); m.save(function(err) { console.log('this fires after the `post` hook'); }); m.find(function(err, docs) { console.log('this fires after the post find hook'); });
Defines a pre hook for the document.
var toySchema = new Schema(..); toySchema.pre('save', function (next) { if (!this.created) this.created = new Date; next(); }) toySchema.pre('validate', function (next) { if (this.name !== 'Woody') this.name = 'Woody'; next(); })
Adds a method call to the queue.
Removes the given path
(or [paths
]).
Returns an Array of path strings that are required by this schema.
invalidate
<Boolean> refresh the cache
Schema constructor.
init
: Emitted after the schema is compiled into a Model
.
var child = new Schema({ name: String }); var schema = new Schema({ name: String, age: Number, children: [child] }); var Tree = mongoose.model('Tree', schema); // setting schema options new Schema({ name: String }, { _id: false, autoIndex: false })
minimize
: bool - controls document#toObject behavior when called manually - defaults to truenull
true
When nesting schemas, (children
in the example above), always declare the child schema first before passing it into its parent.
Sets/gets a schema option.
schema.set('strict'); // 'true' by default schema.set('strict', false); // Sets 'strict' to false schema.set('strict'); // 'false'
Adds static "class" methods to Models compiled from this schema.
var schema = new Schema(..); schema.static('findByName', function (name, callback) { return this.find({ name: name }, callback); }); var Drink = mongoose.model('Drink', schema); Drink.findByName('sanpellegrino', function (err, drinks) { // });
If a hash of name/fn pairs is passed as the only argument, each name/fn pair will be added as statics.
Creates a virtual type with the given name.
Returns the virtual type with the given name
.
name
<String>
The allowed index types
Reserved document keys.
Keys in this object are names that are rejected in schema declarations b/c they conflict with mongoose functionality. Using these key name will throw an error.
on, emit, _events, db, get, set, init, isNew, errors, schema, options, modelName, collection, _pres, _posts, toObject
NOTE: Use of these terms as method names is permitted, but play at your own risk, as they may be existing mongoose document methods you are stomping on.
var schema = new Schema(..); schema.methods.init = function () {} // potentially breaking
The various built-in Mongoose Schema Types.
var mongoose = require('mongoose'); var ObjectId = mongoose.Schema.Types.ObjectId;
Using this exposed access to the Mixed
SchemaType, we can use them in our schema.
var Mixed = mongoose.Schema.Types.Mixed; new mongoose.Schema({ _user: Mixed })
The original object passed to the schema constructor
var schema = new Schema({ a: String }).add({ b: String }); schema.obj; // { a: String }
Don't run validation on this path or persist changes to this path.
path
<String> the path to ignore
doc.foo = null; doc.$ignore('foo'); doc.save() // changes to foo will not be persisted and validators won't be run
Checks if a path is set to its default.
[path]
<String>
MyModel = mongoose.model('test', { name: { type: String, default: 'Val '} }); var m = new MyModel(); m.$isDefault('name'); // true
Takes a populated field and returns it to its unpopulated state.
path
<String>
Model.findOne().populate('author').exec(function (err, doc) { console.log(doc.author.name); // Dr.Seuss console.log(doc.depopulate('author')); console.log(doc.author); // '5144cf8050f071d979c118a7' })
If the path was not populated, this is a no-op.
Returns true if the Document stores the same data as doc.
doc
<Document> a document to compare
Documents are considered equal when they have matching _id
s, unless neither
document has an _id
, in which case this function falls back to usingdeepEqual()
.
Explicitly executes population and returns a promise. Useful for ES2015
integration.
var promise = doc. populate('company'). populate({ path: 'notes', match: /airline/, select: 'text', model: 'modelName' options: opts }). execPopulate(); // summary doc.execPopulate().then(resolve, reject);
Returns the value of a path.
// path doc.get('age') // 47 // dynamic casting to a string doc.get('age', String) // "47"
Initializes the document without setters or marking anything modified.
Called internally after a document is returned from mongodb.
Helper for console.log
Marks a path as invalid, causing validation to fail.
The errorMsg
argument will become the message of the ValidationError
.
The value
argument (if passed) will be available through the ValidationError.value
property.
doc.invalidate('size', 'must be less than 20', 14); doc.validate(function (err) { console.log(err) // prints { message: 'Validation failed', name: 'ValidationError', errors: { size: { message: 'must be less than 20', name: 'ValidatorError', path: 'size', type: 'user defined', value: 14 } } } })
Returns true if path
was directly set and modified, else false.
path
<String>
doc.set('documents.0.title', 'changed'); doc.isDirectModified('documents.0.title') // true doc.isDirectModified('documents') // false
Checks if path
was initialized.
path
<String>
Returns true if this document was modified, else false.
[path]
<String> optional
If path
is given, checks if a path or any full path containing path
as part of its path chain has been modified.
doc.set('documents.0.title', 'changed'); doc.isModified() // true doc.isModified('documents') // true doc.isModified('documents.0.title') // true doc.isModified('documents otherProp') // true doc.isDirectModified('documents') // false
Checks if path
was selected in the source query which initialized this document.
path
<String>
Thing.findOne().select('name').exec(function (err, doc) { doc.isSelected('name') // true doc.isSelected('age') // false })
Marks the path as having pending changes to write to the db.
path
<String> the path to mark modified
Very helpful when using Mixed types.
doc.mixed.type = 'changed'; doc.markModified('mixed.type'); doc.save() // changes to mixed.type are now persisted
Returns the list of paths that have been modified.
Populates document references, executing the callback
when complete.
If you want to use promises instead, use this function withexecPopulate()
doc .populate('company') .populate({ path: 'notes', match: /airline/, select: 'text', model: 'modelName' options: opts }, function (err, user) { assert(doc._id === user._id) // the document itself is passed }) // summary doc.populate(path) // not executed doc.populate(options); // not executed doc.populate(path, callback) // executed doc.populate(options, callback); // executed doc.populate(callback); // executed doc.populate(options).execPopulate() // executed, returns promise
Population does not occur unless a callback
is passed or you explicitly
call execPopulate()
.
Passing the same path a second time will overwrite the previous path options.
See Model.populate() for explaination of options.
Gets _id(s) used during population of the given path
.
path
<String>
Model.findOne().populate('author').exec(function (err, doc) { console.log(doc.author.name) // Dr.Seuss console.log(doc.populated('author')) // '5144cf8050f071d979c118a7' })
If the path was not populated, undefined is returned.
Sets the value of a path, or many paths.
// path, value doc.set(path, value) // object doc.set({ path : value , path2 : { path : value } }) // on-the-fly cast to number doc.set(path, value, Number) // on-the-fly cast to string doc.set(path, value, String) // changing strict mode behavior doc.set(path, value, { strict: false });
The return value of this method is used in calls to JSON.stringify(doc).
options
<Object>
This method accepts the same options as Document#toObject. To apply the options to every document of your schema by default, set your schemas toJSON
option to the same argument.
schema.set('toJSON', { virtuals: true })
See schema options for details.
Converts this document into a plain javascript object, ready for storage in MongoDB.
[options]
<Object>
Buffers are converted to instances of mongodb.Binary for proper storage.
getters
apply all getters (path and virtual getters)virtuals
apply virtual getters (can override getters
option)minimize
remove empty objects (defaults to true)transform
a transform function to apply to the resulting document before returningdepopulate
depopulate any populated paths, replacing them with their original refs (defaults to false)versionKey
whether to include the version key (defaults to true)retainKeyOrder
keep the order of object keys. If this is set to true, Object.keys(new Doc({ a: 1, b: 2}).toObject())
will always produce ['a', 'b']
(defaults to false)Example of only applying path getters
doc.toObject({ getters: true, virtuals: false })
Example of only applying virtual getters
doc.toObject({ virtuals: true })
Example of applying both path and virtual getters
doc.toObject({ getters: true })
To apply these options to every document of your schema by default, set your schemas toObject
option to the same argument.
schema.set('toObject', { virtuals: true })
We may need to perform a transformation of the resulting object based on some criteria, say to remove some sensitive information or return a custom object. In this case we set the optional transform
function.
Transform functions receive three arguments
function (doc, ret, options) {}
doc
The mongoose document which is being convertedret
The plain object representation which has been convertedoptions
The options in use (either schema options or the options passed inline)// specify the transform schema option if (!schema.options.toObject) schema.options.toObject = {}; schema.options.toObject.transform = function (doc, ret, options) { // remove the _id of every document before returning the result delete ret._id; return ret; } // without the transformation in the schema doc.toObject(); // { _id: 'anId', name: 'Wreck-it Ralph' } // with the transformation doc.toObject(); // { name: 'Wreck-it Ralph' }
With transformations we can do a lot more than remove properties. We can even return completely new customized objects:
if (!schema.options.toObject) schema.options.toObject = {}; schema.options.toObject.transform = function (doc, ret, options) { return { movie: ret.name } } // without the transformation in the schema doc.toObject(); // { _id: 'anId', name: 'Wreck-it Ralph' } // with the transformation doc.toObject(); // { movie: 'Wreck-it Ralph' }
Note: if a transform function returns undefined
, the return value will be ignored.
Transformations may also be applied inline, overridding any transform set in the options:
function xform (doc, ret, options) { return { inline: ret.name, custom: true } } // pass the transform as an inline option doc.toObject({ transform: xform }); // { inline: 'Wreck-it Ralph', custom: true }
If you want to skip transformations, use transform: false
:
if (!schema.options.toObject) schema.options.toObject = {}; schema.options.toObject.hide = '_id'; schema.options.toObject.transform = function (doc, ret, options) { if (options.hide) { options.hide.split(' ').forEach(function (prop) { delete ret[prop]; }); } return ret; } var doc = new Doc({ _id: 'anId', secret: 47, name: 'Wreck-it Ralph' }); doc.toObject(); // { secret: 47, name: 'Wreck-it Ralph' } doc.toObject({ hide: 'secret _id', transform: false });// { _id: 'anId', secret: 47, name: 'Wreck-it Ralph' } doc.toObject({ hide: 'secret _id', transform: true }); // { name: 'Wreck-it Ralph' }
Transforms are applied only to the document and are not applied to sub-documents.
Transforms, like all of these options, are also available for toJSON
.
See schema options for some more details.
During save, no custom options are applied to the document before being sent to the database.
Helper for console.log
Clears the modified state on the specified path.
path
<String> the path to unmark modified
doc.foo = 'bar'; doc.unmarkModified('foo'); doc.save() // changes to foo will not be persisted
Sends an update command with this document _id
as the query selector.
weirdCar.update({$inc: {wheels:1}}, { w: 1 }, callback);
Executes registered validation rules for this document.
This method is called pre
save and if a validation rule is violated, save is aborted and the error is returned to your callback
.
doc.validate(function (err) { if (err) handleError(err); else // validation passed });
Executes registered validation rules (skipping asynchronous validators) for this document.
This method is useful if you need synchronous validation.
var err = doc.validateSync(); if ( err ){ handleError( err ); } else { // validation passed }
Hash containing current validation errors.
The string version of this documents _id.
This getter exists on all documents by default. The getter can be disabled by setting the id
option of its Schema
to false at construction time.
new Schema({ name: String }, { id: false });
Boolean flag specifying if the document is new.
The documents schema.
types/decimal128.jsObjectId type constructor
var id = new mongoose.Types.ObjectId;
Returns the top level document of this sub-document.
Null-out this subdoc
Atomically shifts the array at most one time per document save()
.
Calling this mulitple times on an array before saving sends the same command as calling it once.
This update is implemented using the MongoDB $pop method which enforces this restriction.
doc.array = [1,2,3]; var shifted = doc.array.$shift(); console.log(shifted); // 1 console.log(doc.array); // [2,3] // no affect shifted = doc.array.$shift(); console.log(doc.array); // [2,3] doc.save(function (err) { if (err) return handleError(err); // we saved, now $shift works again shifted = doc.array.$shift(); console.log(shifted ); // 2 console.log(doc.array); // [3] })
Alias of pull
Pops the array atomically at most one time per document save()
.
Calling this mulitple times on an array before saving sends the same command as calling it once.
This update is implemented using the MongoDB $pop method which enforces this restriction.
doc.array = [1,2,3]; var popped = doc.array.$pop(); console.log(popped); // 3 console.log(doc.array); // [1,2] // no affect popped = doc.array.$pop(); console.log(doc.array); // [1,2] doc.save(function (err) { if (err) return handleError(err); // we saved, now $pop works again popped = doc.array.$pop(); console.log(popped); // 2 console.log(doc.array); // [1] })
Adds values to the array if not already present.
[args...]
<T>
console.log(doc.array) // [2,3,4] var added = doc.array.addToSet(4,5); console.log(doc.array) // [2,3,4,5] console.log(added) // [5]
Return the index of obj
or -1
if not found.
obj
<Object> the item to look for
Helper for console.log
Pushes items to the array non-atomically.
[args...]
<T>
marks the entire array as modified, which if saved, will store it as a $set
operation, potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Wraps Array#pop
with proper change tracking.
marks the entire array as modified which will pass the entire thing to $set potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Pulls items from the array atomically. Equality is determined by casting
the provided value to an embedded document and comparing using
the Document.equals()
function.
[args...]
<T>
doc.array.pull(ObjectId) doc.array.pull({ _id: 'someId' }) doc.array.pull(36) doc.array.pull('tag 1', 'tag 2')
To remove a document from a subdocument array we may pass an object with a matching _id
.
doc.subdocs.push({ _id: 4815162342 }) doc.subdocs.pull({ _id: 4815162342 }) // removed
Or we may passing the _id directly and let mongoose take care of it.
doc.subdocs.push({ _id: 4815162342 }) doc.subdocs.pull(4815162342); // works
The first pull call will result in a atomic operation on the database, if pull is called repeatedly without saving the document, a $set operation is used on the complete array instead, overwriting possible changes that happened on the database in the meantime.
Wraps Array#push
with proper change tracking.
[args...]
<Object>
Sets the casted val
at index i
and marks the array modified.
// given documents based on the following var Doc = mongoose.model('Doc', new Schema({ array: [Number] })); var doc = new Doc({ array: [2,3,4] }) console.log(doc.array) // [2,3,4] doc.array.set(1,"5"); console.log(doc.array); // [2,5,4] // properly cast to number doc.save() // the change is saved // VS not using array#set doc.array[1] = "5"; console.log(doc.array); // [2,"5",4] // no casting doc.save() // change is not saved
Wraps Array#shift
with proper change tracking.
doc.array = [2,3]; var res = doc.array.shift(); console.log(res) // 2 console.log(doc.array) // [3]
marks the entire array as modified, which if saved, will store it as a $set
operation, potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Wraps Array#sort
with proper change tracking.
marks the entire array as modified, which if saved, will store it as a $set
operation, potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Wraps Array#splice
with proper change tracking and casting.
marks the entire array as modified, which if saved, will store it as a $set
operation, potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Returns a native js Array.
options
<Object>
Wraps Array#unshift
with proper change tracking.
marks the entire array as modified, which if saved, will store it as a $set
operation, potentially overwritting any changes that happen between when you retrieved the object and when you save it.
Creates a subdocument casted to this schema.
obj
<Object> the value to cast to this arrays SubDocument schema
This is the same subdocument constructor used for casting.
Searches array items for the first document with a matching _id.
var embeddedDoc = m.array.id(some_id);
Helper for console.log
Returns a native js Array of plain js objects
[options]
<Object> optional options to pass to each documents <code>toObject</code> method call during conversion
Each sub-document is converted to a plain object by calling its #toObject
method.
Copies the buffer.
target
<Buffer>
Buffer#copy
does not mark target
as modified so you must copy from a MongooseBuffer
for it to work as expected. This is a work around since copy
modifies the target, not this.
Determines if this buffer is equals to other
buffer
other
<Buffer>
Sets the subtype option and marks the buffer modified.
subtype
<Hex>
var bson = require('bson')
bson.BSON_BINARY_SUBTYPE_DEFAULT
bson.BSON_BINARY_SUBTYPE_FUNCTION
bson.BSON_BINARY_SUBTYPE_BYTE_ARRAY
bson.BSON_BINARY_SUBTYPE_UUID
bson.BSON_BINARY_SUBTYPE_MD5
bson.BSON_BINARY_SUBTYPE_USER_DEFINED
doc.buffer.subtype(bson.BSON_BINARY_SUBTYPE_UUID);
Converts this buffer to its Binary type representation.
[subtype]
<Hex>
var bson = require('bson')
bson.BSON_BINARY_SUBTYPE_DEFAULT
bson.BSON_BINARY_SUBTYPE_FUNCTION
bson.BSON_BINARY_SUBTYPE_BYTE_ARRAY
bson.BSON_BINARY_SUBTYPE_UUID
bson.BSON_BINARY_SUBTYPE_MD5
bson.BSON_BINARY_SUBTYPE_USER_DEFINED
doc.buffer.toObject(bson.BSON_BINARY_SUBTYPE_USER_DEFINED);
Writes the buffer.
ObjectId type constructor
var id = new mongoose.Types.ObjectId;
Helper for console.log
Marks a path as invalid, causing validation to fail.
Returns the top level document of this sub-document.
Returns this sub-documents parent document.
Returns this sub-documents parent array.
Removes the subdocument from its parent array.
Marks the embedded doc modified.
path
<String> the path which changed
var doc = blogpost.comments.id(hexstring); doc.mixed.type = 'changed'; doc.markModified('mixed.type');
Specifies a javascript function or expression to pass to MongoDBs query system.
query.$where('this.comments.length === 10 || this.name.length === 5') // or query.$where(function () { return this.comments.length === 10 || this.name.length === 5; })
Only use $where
when you have a condition that cannot be met using other MongoDB operators like $lt
.
Be sure to read about all of its caveats before using.
Specifies an $all query condition.
When called with one argument, the most recent path passed to where()
is used.
Specifies arguments for a $and
condition.
array
<Array> array of conditions
query.and([{ color: 'green' }, { status: 'ok' }])
Specifies the batchSize option.
val
<Number>
query.batchSize(100)
Cannot be used with distinct()
Specifies a $box condition
var lowerLeft = [40.73083, -73.99756] var upperRight= [40.741404, -73.988135] query.where('loc').within().box(lowerLeft, upperRight) query.box({ ll : lowerLeft, ur : upperRight })
Casts this query to the schema of model
If obj
is present, it is cast instead of this query.
Executes the query returning a Promise
which will be
resolved with either the doc(s) or rejected with the error.
Like .then()
, but only takes a rejection handler.
[reject]
<Function>
DEPRECATED Alias for circle
Deprecated. Use circle instead.
DEPRECATED Specifies a $centerSphere condition
Deprecated. Use circle instead.
var area = { center: [50, 50], radius: 10 }; query.where('loc').within().centerSphere(area);
Specifies a $center or $centerSphere condition.
var area = { center: [50, 50], radius: 10, unique: true } query.where('loc').within().circle(area) // alternatively query.circle('loc', area); // spherical calculations var area = { center: [50, 50], radius: 10, unique: true, spherical: true } query.where('loc').within().circle(area) // alternatively query.circle('loc', area);
New in 3.7.0
Adds a collation to this op (MongoDB 3.4 and up)
value
<Object>
Specifies the comment
option.
val
<Number>
query.comment('login query')
Cannot be used with distinct()
Specifying this query as a count
query.
Passing a callback
executes the query.
var countQuery = model.where({ 'color': 'black' }).count(); query.count({ color: 'black' }).count(callback) query.count({ color: 'black' }, callback) query.where('color', 'black').count(function (err, count) { if (err) return handleError(err); console.log('there are %d kittens', count); })
Returns a wrapper around a mongodb driver cursor.
A QueryCursor exposes a Streams3-compatible
interface, as well as a .next()
function.
[options]
<Object>
// There are 2 ways to use a cursor. First, as a stream: Thing. find({ name: /^hello/ }). cursor(). on('data', function(doc) { console.log(doc); }). on('end', function() { console.log('Done!'); }); // Or you can use `.next()` to manually get the next doc in the stream. // `.next()` returns a promise, so you can use promises or callbacks. var cursor = Thing.find({ name: /^hello/ }).cursor(); cursor.next(function(error, doc) { console.log(doc); }); // Because `.next()` returns a promise, you can use co // to easily iterate through all documents without loading them // all into memory. co(function*() { const cursor = Thing.find({ name: /^hello/ }).cursor(); for (let doc = yield cursor.next(); doc != null; doc = yield cursor.next()) { console.log(doc); } });
transform
: optional function which accepts a mongoose document. The return value of the function will be emitted on data
and returned by .next()
.Declare and/or execute this query as a deleteMany()
operation. Works like
remove, except it deletes every document that matches criteria
in the
collection, regardless of the value of justOne
.
Character.deleteMany({ name: /Stark/, age: { $gte: 18 } }, callback) Character.deleteMany({ name: /Stark/, age: { $gte: 18 } }).then(next)
Declare and/or execute this query as a deleteOne()
operation. Works like
remove, except it deletes at most one document regardless of the justOne
option.
Character.deleteOne({ name: 'Eddard Stark' }, callback) Character.deleteOne({ name: 'Eddard Stark' }).then(next)
Declares or executes a distict() operation.
Passing a callback
executes the query.
distinct(field, conditions, callback) distinct(field, conditions) distinct(field, callback) distinct(field) distinct(callback) distinct()
Specifies an $elemMatch
condition
query.elemMatch('comment', { author: 'autobot', votes: {$gte: 5}}) query.where('comment').elemMatch({ author: 'autobot', votes: {$gte: 5}}) query.elemMatch('comment', function (elem) { elem.where('author').equals('autobot'); elem.where('votes').gte(5); }) query.where('comment').elemMatch(function (elem) { elem.where({ author: 'autobot' }); elem.where('votes').gte(5); })
Specifies the complementary comparison value for paths specified with where()
val
<Object>
User.where('age').equals(49); // is the same as User.where('age', 49);
Executes the query
var promise = query.exec(); var promise = query.exec('update'); query.exec(callback); query.exec('find', callback);
Specifies an $exists
condition
// { name: { $exists: true }} Thing.where('name').exists() Thing.where('name').exists(true) Thing.find().exists('name') // { name: { $exists: false }} Thing.where('name').exists(false); Thing.find().exists('name', false);
Finds documents.
When no callback
is passed, the query is not executed. When the query is executed, the result will be an array of documents.
query.find({ name: 'Los Pollos Hermanos' }).find(callback)
Declares the query a findOne operation. When executed, the first found document is passed to the callback.
Passing a callback
executes the query. The result of the query is a single document.
conditions
is optional, and if conditions
is null or undefined, mongoose will send an empty findOne
command to MongoDB, which will return an arbitrary document. If you're querying by _id
, use Model.findById()
instead.var query = Kitten.where({ color: 'white' }); query.findOne(function (err, kitten) { if (err) return handleError(err); if (kitten) { // doc may be null if no document matched } });
Issues a mongodb findAndModify remove command.
Finds a matching document, removes it, passing the found document (if any) to the callback. Executes immediately if callback
is passed.
sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updatemaxTimeMS
: puts a time limit on the query - requires mongodb >= 2.6.0passRawResult
: if true, passes the raw result from the MongoDB driver as the third callback parameter
function(error, doc, result) { // error: any errors that occurred // doc: the document before updates are applied if `new: false`, or after updates if `new = true` // result: [raw result from the MongoDB driver](http://mongodb.github.io/node-mongodb-native/2.0/api/Collection.html#findAndModify) }
A.where().findOneAndRemove(conditions, options, callback) // executes A.where().findOneAndRemove(conditions, options) // return Query A.where().findOneAndRemove(conditions, callback) // executes A.where().findOneAndRemove(conditions) // returns Query A.where().findOneAndRemove(callback) // executes A.where().findOneAndRemove() // returns Query
Issues a mongodb findAndModify update command.
Finds a matching document, updates it according to the update
arg, passing any options
, and returns the found document (if any) to the callback. The query executes immediately if callback
is passed.
new
: bool - if true, return the modified document rather than the original. defaults to false (changed in 4.0)upsert
: bool - creates the object if it doesn't exist. defaults to false.fields
: {Object|String} - Field selection. Equivalent to .select(fields).findOneAndUpdate()
sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updatemaxTimeMS
: puts a time limit on the query - requires mongodb >= 2.6.0runValidators
: if true, runs update validators on this command. Update validators validate the update operation against the model's schema.setDefaultsOnInsert
: if this and upsert
are true, mongoose will apply the defaults specified in the model's schema if a new document is created. This option only works on MongoDB >= 2.4 because it relies on MongoDB's $setOnInsert
operator.passRawResult
: if true, passes the raw result from the MongoDB driver as the third callback parameter
context
(string) if set to 'query' and runValidators
is on, this
will refer to the query in custom validator functions that update validation runs. Does nothing if runValidators
is false.function(error, doc) { // error: any errors that occurred // doc: the document before updates are applied if `new: false`, or after updates if `new = true` }
query.findOneAndUpdate(conditions, update, options, callback) // executes query.findOneAndUpdate(conditions, update, options) // returns Query query.findOneAndUpdate(conditions, update, callback) // executes query.findOneAndUpdate(conditions, update) // returns Query query.findOneAndUpdate(update, callback) // returns Query query.findOneAndUpdate(update) // returns Query query.findOneAndUpdate(callback) // executes query.findOneAndUpdate() // returns Query
Specifies a $geometry
condition
object
<Object> Must contain a type
property which is a String and a coordinates
property which is an Array. See the examples.
var polyA = [[[ 10, 20 ], [ 10, 40 ], [ 30, 40 ], [ 30, 20 ]]] query.where('loc').within().geometry({ type: 'Polygon', coordinates: polyA }) // or var polyB = [[ 0, 0 ], [ 1, 1 ]] query.where('loc').within().geometry({ type: 'LineString', coordinates: polyB }) // or var polyC = [ 0, 0 ] query.where('loc').within().geometry({ type: 'Point', coordinates: polyC }) // or query.where('loc').intersects().geometry({ type: 'Point', coordinates: polyC })
The argument is assigned to the most recent path passed to where()
.
geometry()
must come after either intersects()
or within()
.
The object
argument must contain type
and coordinates
properties.
- type {String}
- coordinates {Array}
Returns the current query conditions as a JSON object.
var query = new Query(); query.find({ a: 1 }).where('b').gt(2); query.getQuery(); // { a: 1, b: { $gt: 2 } }
Returns the current update operations as a JSON object.
var query = new Query(); query.update({}, { $set: { a: 5 } }); query.getUpdate(); // { $set: { a: 5 } }
Specifies a $gt query condition.
When called with one argument, the most recent path passed to where()
is used.
Thing.find().where('age').gt(21) // or Thing.find().gt('age', 21)
Specifies a $gte query condition.
When called with one argument, the most recent path passed to where()
is used.
Sets query hints.
val
<Object> a hint object
query.hint({ indexA: 1, indexB: -1})
Cannot be used with distinct()
Specifies an $in query condition.
When called with one argument, the most recent path passed to where()
is used.
Declares an intersects query for geometry()
.
[arg]
<Object>
query.where('path').intersects().geometry({ type: 'LineString' , coordinates: [[180.0, 11.0], [180, 9.0]] }) query.where('path').intersects({ type: 'LineString' , coordinates: [[180.0, 11.0], [180, 9.0]] })
MUST be used after where()
.
In Mongoose 3.7, intersects
changed from a getter to a function. If you need the old syntax, use this.
Sets the lean option.
bool
<Boolean> defaults to true
Documents returned from queries with the lean
option enabled are plain javascript objects, not MongooseDocuments. They have no save
method, getters/setters or other Mongoose magic applied.
new Query().lean() // true new Query().lean(true) new Query().lean(false) Model.find().lean().exec(function (err, docs) { docs[0] instanceof mongoose.Document // false });
This is a great option in high-performance read-only scenarios, especially when combined with stream.
Specifies the maximum number of documents the query will return.
val
<Number>
query.limit(20)
Cannot be used with distinct()
Specifies a $lt query condition.
When called with one argument, the most recent path passed to where()
is used.
Specifies a $lte query condition.
When called with one argument, the most recent path passed to where()
is used.
Specifies a $maxDistance query condition.
When called with one argument, the most recent path passed to where()
is used.
DEPRECATED Alias of maxScan
Specifies the maxScan option.
val
<Number>
query.maxScan(100)
Cannot be used with distinct()
Merges another Query or conditions object into this one.
When a Query is passed, conditions, field selection and options are merged.
Merges another Query or conditions object into this one.
When a Query is passed, conditions, field selection and options are merged.
New in 3.7.0
Specifies a $mod
condition
Getter/setter around the current mongoose-specific options for this query
(populate, lean, etc.)
options
<Object> if specified, overwrites the current options
Specifies a $ne query condition.
When called with one argument, the most recent path passed to where()
is used.
Specifies a $near
or $nearSphere
condition
These operators return documents sorted by distance.
query.where('loc').near({ center: [10, 10] }); query.where('loc').near({ center: [10, 10], maxDistance: 5 }); query.where('loc').near({ center: [10, 10], maxDistance: 5, spherical: true }); query.near('loc', { center: [10, 10], maxDistance: 5 });
DEPRECATED Specifies a $nearSphere
condition
query.where('loc').nearSphere({ center: [10, 10], maxDistance: 5 });
Deprecated. Use query.near()
instead with the spherical
option set to true
.
query.where('loc').near({ center: [10, 10], spherical: true });
Specifies an $nin query condition.
When called with one argument, the most recent path passed to where()
is used.
Specifies arguments for a $nor
condition.
array
<Array> array of conditions
query.nor([{ color: 'green' }, { status: 'ok' }])
Specifies arguments for an $or
condition.
array
<Array> array of conditions
query.or([{ color: 'red' }, { status: 'emergency' }])
Specifies a $polygon condition
query.where('loc').within().polygon([10,20], [13, 25], [7,15]) query.polygon('loc', [10,20], [13, 25], [7,15])
Specifies paths which should be populated with other documents.
path
<Object, String> either the path to populate or an object specifying all parameters
[select]
<Object, String> Field selection for the population query
[model]
<Model> The model you wish to use for population. If not specified, populate will look up the model by the name in the Schema's ref
field.
[match]
<Object> Conditions for the population query
[options]
<Object> Options for the population query (sort, etc)
Kitten.findOne().populate('owner').exec(function (err, kitten) { console.log(kitten.owner.name) // Max }) Kitten.find().populate({ path: 'owner' , select: 'name' , match: { color: 'black' } , options: { sort: { name: -1 }} }).exec(function (err, kittens) { console.log(kittens[0].owner.name) // Zoopa }) // alternatively Kitten.find().populate('owner', 'name', null, {sort: { name: -1 }}).exec(function (err, kittens) { console.log(kittens[0].owner.name) // Zoopa })
Paths are populated after the query executes and a response is received. A separate query is then executed for each path specified for population. After a response for each query has also been returned, the results are passed to the callback.
Determines the MongoDB nodes from which to read.
primary - (default) Read from primary only. Operations will produce an error if primary is unavailable. Cannot be combined with tags. secondary Read from secondary if available, otherwise error. primaryPreferred Read from primary if available, otherwise a secondary. secondaryPreferred Read from a secondary if available, otherwise read from the primary. nearest All operations read from among the nearest candidates, but unlike other modes, this option will include both the primary and all secondaries in the random selection.
Aliases
p primary pp primaryPreferred s secondary sp secondaryPreferred n nearest
new Query().read('primary') new Query().read('p') // same as primary new Query().read('primaryPreferred') new Query().read('pp') // same as primaryPreferred new Query().read('secondary') new Query().read('s') // same as secondary new Query().read('secondaryPreferred') new Query().read('sp') // same as secondaryPreferred new Query().read('nearest') new Query().read('n') // same as nearest // read from secondaries with matching tags new Query().read('s', [{ dc:'sf', s: 1 },{ dc:'ma', s: 2 }])
Specifies a $regex query condition.
When called with one argument, the most recent path passed to where()
is used.
Declare and/or execute this query as a remove() operation.
Model.remove({ artist: 'Anne Murray' }, callback)
The operation is only executed when a callback is passed. To force execution without a callback, you must first call remove()
and then execute it by using the exec()
method.
// not executed var query = Model.find().remove({ name: 'Anne Murray' }) // executed query.remove({ name: 'Anne Murray' }, callback) query.remove({ name: 'Anne Murray' }).remove(callback) // executed without a callback query.exec() // summary query.remove(conds, fn); // executes query.remove(conds) query.remove(fn) // executes query.remove()
Declare and/or execute this query as a replaceOne() operation. Same asupdate()
, except MongoDB will replace the existing document and will
not accept any atomic operators ($set
, etc.)
Note replaceOne will not fire update middleware. Use pre('replaceOne')
and post('replaceOne')
instead.
Specifies which document fields to include or exclude (also known as the query "projection")
When using string syntax, prefixing a path with -
will flag that path as excluded. When a path does not have the -
prefix, it is included. Lastly, if a path is prefixed with +
, it forces inclusion of the path, which is useful for paths excluded at the schema level.
// include a and b, exclude other fields query.select('a b'); // exclude c and d, include other fields query.select('-c -d'); // or you may use object notation, useful when // you have keys already prefixed with a "-" query.select({ a: 1, b: 1 }); query.select({ c: 0, d: 0 }); // force inclusion of field excluded at schema level query.select('+path')
Cannot be used with distinct()
.
v2 had slightly different syntax such as allowing arrays of field names. This support was removed in v3.
Determines if field selection has been made.
Determines if exclusive field selection has been made.
query.selectedExclusively() // false query.select('-name') query.selectedExclusively() // true query.selectedInclusively() // false
Determines if inclusive field selection has been made.
query.selectedInclusively() // false query.select('name') query.selectedInclusively() // true
Sets query options.
options
<Object>
* denotes a query helper method is also available
** query helper method to set readPreference
is read()
Specifies a $size query condition.
When called with one argument, the most recent path passed to where()
is used.
MyModel.where('tags').size(0).exec(function (err, docs) { if (err) return handleError(err); assert(Array.isArray(docs)); console.log('documents with 0 tags', docs); })
Specifies the number of documents to skip.
val
<Number>
query.skip(100).limit(20)
Cannot be used with distinct()
DEPRECATED Sets the slaveOk option.
v
<Boolean> defaults to true
Deprecated in MongoDB 2.2 in favor of read preferences.
query.slaveOk() // true query.slaveOk(true) query.slaveOk(false)
Specifies a $slice projection for an array.
query.slice('comments', 5) query.slice('comments', -5) query.slice('comments', [10, 5]) query.where('comments').slice(5) query.where('comments').slice([-10, 5])
Specifies this query as a snapshot
query.
query.snapshot() // true query.snapshot(true) query.snapshot(false)
Cannot be used with distinct()
Sets the sort order
If an object is passed, values allowed are asc
, desc
, ascending
, descending
, 1
, and -1
.
If a string is passed, it must be a space delimited list of path names. The
sort order of each path is ascending unless the path name is prefixed with -
which will be treated as descending.
// sort by "field" ascending and "test" descending query.sort({ field: 'asc', test: -1 }); // equivalent query.sort('field -test');
Cannot be used with distinct()
Returns a Node.js 0.8 style read stream interface.
[options]
<Object>
// follows the nodejs 0.8 stream api Thing.find({ name: /^hello/ }).stream().pipe(res) // manual streaming var stream = Thing.find({ name: /^hello/ }).stream(); stream.on('data', function (doc) { // do something with the mongoose document }).on('error', function (err) { // handle the error }).on('close', function () { // the stream is closed });
transform
: optional function which accepts a mongoose document. The return value of the function will be emitted on data
.// JSON.stringify all documents before emitting var stream = Thing.find().stream({ transform: JSON.stringify }); stream.pipe(writeStream);
Sets the tailable option (for use with capped collections).
query.tailable() // true query.tailable(true) query.tailable(false)
Cannot be used with distinct()
Executes the query returning a Promise
which will be
resolved with either the doc(s) or rejected with the error.
Converts this query to a customized, reusable query constructor with all arguments and options retained.
// Create a query for adventure movies and read from the primary // node in the replica-set unless it is down, in which case we'll // read from a secondary node. var query = Movie.find({ tags: 'adventure' }).read('primaryPreferred'); // create a custom Query constructor based off these settings var Adventure = query.toConstructor(); // Adventure is now a subclass of mongoose.Query and works the same way but with the // default query parameters and options set. Adventure().exec(callback) // further narrow down our query results while still using the previous settings Adventure().where({ name: /^Life/ }).exec(callback); // since Adventure is a stand-alone constructor we can also add our own // helper methods and getters without impacting global queries Adventure.prototype.startsWith = function (prefix) { this.where({ name: new RegExp('^' + prefix) }) return this; } Object.defineProperty(Adventure.prototype, 'highlyRated', { get: function () { this.where({ rating: { $gt: 4.5 }}); return this; } }) Adventure().highlyRated.startsWith('Life').exec(callback)
New in 3.7.3
Declare and/or execute this query as an update() operation.
All paths passed that are not $atomic operations will become $set ops.
Model.where({ _id: id }).update({ title: 'words' }) // becomes Model.where({ _id: id }).update({ $set: { title: 'words' }})
safe
(boolean) safe mode (defaults to value set in schema (true))upsert
(boolean) whether to create the doc if it doesn't match (false)multi
(boolean) whether multiple documents should be updated (false)runValidators
: if true, runs update validators on this command. Update validators validate the update operation against the model's schema.setDefaultsOnInsert
: if this and upsert
are true, mongoose will apply the defaults specified in the model's schema if a new document is created. This option only works on MongoDB >= 2.4 because it relies on MongoDB's $setOnInsert
operator.strict
(boolean) overrides the strict
option for this updateoverwrite
(boolean) disables update-only mode, allowing you to overwrite the doc (false)context
(string) if set to 'query' and runValidators
is on, this
will refer to the query in custom validator functions that update validation runs. Does nothing if runValidators
is false.Passing an empty object {}
as the doc will result in a no-op unless the overwrite
option is passed. Without the overwrite
option set, the update operation will be ignored and the callback executed without sending the command to MongoDB so as to prevent accidently overwritting documents in the collection.
The operation is only executed when a callback is passed. To force execution without a callback, we must first call update() and then execute it by using the exec()
method.
var q = Model.where({ _id: id }); q.update({ $set: { name: 'bob' }}).update(); // not executed q.update({ $set: { name: 'bob' }}).exec(); // executed // keys that are not $atomic ops become $set. // this executes the same command as the previous example. q.update({ name: 'bob' }).exec(); // overwriting with empty docs var q = Model.where({ _id: id }).setOptions({ overwrite: true }) q.update({ }, callback); // executes // multi update with overwrite to empty doc var q = Model.where({ _id: id }); q.setOptions({ multi: true, overwrite: true }) q.update({ }); q.update(callback); // executed // multi updates Model.where() .update({ name: /^match/ }, { $set: { arr: [] }}, { multi: true }, callback) // more multi updates Model.where() .setOptions({ multi: true }) .update({ $set: { arr: [] }}, callback) // single update by default Model.where({ email: '[email protected]' }) .update({ $inc: { counter: 1 }}, callback)
API summary
update(criteria, doc, options, cb) // executes update(criteria, doc, options) update(criteria, doc, cb) // executes update(criteria, doc) update(doc, cb) // executes update(doc) update(cb) // executes update(true) // executes update()
Declare and/or execute this query as an updateMany() operation. Same asupdate()
, except MongoDB will update all documents that matchcriteria
(as opposed to just the first one) regardless of the value of
the multi
option.
Note updateMany will not fire update middleware. Use pre('updateMany')
and post('updateMany')
instead.
Declare and/or execute this query as an updateOne() operation. Same asupdate()
, except MongoDB will update only the first document that
matches criteria
regardless of the value of the multi
option.
Note updateOne will not fire update middleware. Use pre('updateOne')
and post('updateOne')
instead.
Specifies a path
for use with chaining.
// instead of writing: User.find({age: {$gte: 21, $lte: 65}}, callback); // we can instead write: User.where('age').gte(21).lte(65); // passing query conditions is permitted User.find().where({ name: 'vonderful' }) // chaining User .where('age').gte(21).lte(65) .where('name', /^vonderful/i) .where('friends').slice(10) .exec(callback)
Defines a $within
or $geoWithin
argument for geo-spatial queries.
query.where(path).within().box() query.where(path).within().circle() query.where(path).within().geometry() query.where('loc').within({ center: [50,50], radius: 10, unique: true, spherical: true }); query.where('loc').within({ box: [[40.73, -73.9], [40.7, -73.988]] }); query.where('loc').within({ polygon: [[],[],[],[]] }); query.where('loc').within([], [], []) // polygon query.where('loc').within([], []) // box query.where('loc').within({ type: 'LineString', coordinates: [...] }); // geometry
MUST be used after where()
.
As of Mongoose 3.7, $geoWithin
is always used for queries. To change this behavior, see Query.use$geoWithin.
In Mongoose 3.7, within
changed from a getter to a function. If you need the old syntax, use this.
Flag to opt out of using $geoWithin
.
mongoose.Query.use$geoWithin = false;
MongoDB 2.4 deprecated the use of $within
, replacing it with $geoWithin
. Mongoose uses $geoWithin
by default (which is 100% backward compatible with $within). If you are running an older version of MongoDB, set this flag to false
so your within()
queries continue to work.
Check if the given value satisfies a required validator.
Decimal128 SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator. The given value
must be not null nor undefined, and have a non-zero length.
value
<Any>
Array SchemaType constructor
key
<String>
cast
<SchemaType>
options
<Object>
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator.
Adds an enum validator
var states = ['opening', 'open', 'closing', 'closed'] var s = new Schema({ state: { type: String, enum: states }}) var M = db.model('M', s) var m = new M({ state: 'invalid' }) m.save(function (err) { console.error(String(err)) // ValidationError: `invalid` is not a valid enum value for path `state`. m.state = 'open' m.save(callback) // success }) // or with custom error messages var enum = { values: ['opening', 'open', 'closing', 'closed'], message: 'enum validator failed for path `{PATH}` with value `{VALUE}`' } var s = new Schema({ state: { type: String, enum: enum }) var M = db.model('M', s) var m = new M({ state: 'invalid' }) m.save(function (err) { console.error(String(err)) // ValidationError: enum validator failed for path `state` with value `invalid` m.state = 'open' m.save(callback) // success })
Adds a lowercase setter.
var s = new Schema({ email: { type: String, lowercase: true }}) var M = db.model('M', s); var m = new M({ email: '[email protected]' }); console.log(m.email) // [email protected]
Sets a regexp validator.
Any value that does not pass regExp
.test(val) will fail validation.
var s = new Schema({ name: { type: String, match: /^a/ }}) var M = db.model('M', s) var m = new M({ name: 'I am invalid' }) m.validate(function (err) { console.error(String(err)) // "ValidationError: Path `name` is invalid (I am invalid)." m.name = 'apples' m.validate(function (err) { assert.ok(err) // success }) }) // using a custom error message var match = [ /\.html$/, "That file doesn't end in .html ({VALUE})" ]; var s = new Schema({ file: { type: String, match: match }}) var M = db.model('M', s); var m = new M({ file: 'invalid' }); m.validate(function (err) { console.log(String(err)) // "ValidationError: That file doesn't end in .html (invalid)" })
Empty strings, undefined
, and null
values always pass the match validator. If you require these values, enable the required
validator also.
var s = new Schema({ name: { type: String, match: /^a/, required: true }})
Sets a maximum length validator.
var schema = new Schema({ postalCode: { type: String, maxlength: 9 }) var Address = db.model('Address', schema) var address = new Address({ postalCode: '9512512345' }) address.save(function (err) { console.error(err) // validator error address.postalCode = '95125'; address.save() // success }) // custom error messages // We can also use the special {MAXLENGTH} token which will be replaced with the maximum allowed length var maxlength = [9, 'The value of path `{PATH}` (`{VALUE}`) exceeds the maximum allowed length ({MAXLENGTH}).']; var schema = new Schema({ postalCode: { type: String, maxlength: maxlength }) var Address = mongoose.model('Address', schema); var address = new Address({ postalCode: '9512512345' }); address.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `postalCode` (`9512512345`) exceeds the maximum allowed length (9). })
Sets a minimum length validator.
var schema = new Schema({ postalCode: { type: String, minlength: 5 }) var Address = db.model('Address', schema) var address = new Address({ postalCode: '9512' }) address.save(function (err) { console.error(err) // validator error address.postalCode = '95125'; address.save() // success }) // custom error messages // We can also use the special {MINLENGTH} token which will be replaced with the minimum allowed length var minlength = [5, 'The value of path `{PATH}` (`{VALUE}`) is shorter than the minimum allowed length ({MINLENGTH}).']; var schema = new Schema({ postalCode: { type: String, minlength: minlength }) var Address = mongoose.model('Address', schema); var address = new Address({ postalCode: '9512' }); address.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `postalCode` (`9512`) is shorter than the minimum length (5). })
String SchemaType constructor.
Adds a trim setter.
The string value will be trimmed when set.
var s = new Schema({ name: { type: String, trim: true }}) var M = db.model('M', s) var string = ' some name ' console.log(string.length) // 11 var m = new M({ name: string }) console.log(m.name.length) // 9
Adds an uppercase setter.
var s = new Schema({ caps: { type: String, uppercase: true }}) var M = db.model('M', s); var m = new M({ caps: 'an example' }); console.log(m.caps) // AN EXAMPLE
This schema type's name, to defend against minifiers that mangle
function names.
SubdocsArray SchemaType constructor
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator.
Sets a maximum number validator.
var s = new Schema({ n: { type: Number, max: 10 }) var M = db.model('M', s) var m = new M({ n: 11 }) m.save(function (err) { console.error(err) // validator error m.n = 10; m.save() // success }) // custom error messages // We can also use the special {MAX} token which will be replaced with the invalid value var max = [10, 'The value of path `{PATH}` ({VALUE}) exceeds the limit ({MAX}).']; var schema = new Schema({ n: { type: Number, max: max }) var M = mongoose.model('Measurement', schema); var s= new M({ n: 4 }); s.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `n` (4) exceeds the limit (10). })
Sets a minimum number validator.
var s = new Schema({ n: { type: Number, min: 10 }) var M = db.model('M', s) var m = new M({ n: 9 }) m.save(function (err) { console.error(err) // validator error m.n = 10; m.save() // success }) // custom error messages // We can also use the special {MIN} token which will be replaced with the invalid value var min = [10, 'The value of path `{PATH}` ({VALUE}) is beneath the limit ({MIN}).']; var schema = new Schema({ n: { type: Number, min: min }) var M = mongoose.model('Measurement', schema); var s= new M({ n: 4 }); s.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `n` (4) is beneath the limit (10). })
Number SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator. To satisfy
a required validator, the given value must be an instance of Date
.
Declares a TTL index (rounded to the nearest second) for Date types only.
This sets the expireAfterSeconds
index option available in MongoDB >= 2.1.2.
This index type is only compatible with Date types.
// expire in 24 hours new Schema({ createdAt: { type: Date, expires: 60*60*24 }});
expires
utilizes the ms
module from guille allowing us to use a friendlier syntax:
// expire in 24 hours new Schema({ createdAt: { type: Date, expires: '24h' }}); // expire in 1.5 hours new Schema({ createdAt: { type: Date, expires: '1.5h' }}); // expire in 7 days var schema = new Schema({ createdAt: Date }); schema.path('createdAt').expires('7d');
Sets a maximum date validator.
var s = new Schema({ d: { type: Date, max: Date('2014-01-01') }) var M = db.model('M', s) var m = new M({ d: Date('2014-12-08') }) m.save(function (err) { console.error(err) // validator error m.d = Date('2013-12-31'); m.save() // success }) // custom error messages // We can also use the special {MAX} token which will be replaced with the invalid value var max = [Date('2014-01-01'), 'The value of path `{PATH}` ({VALUE}) exceeds the limit ({MAX}).']; var schema = new Schema({ d: { type: Date, max: max }) var M = mongoose.model('M', schema); var s= new M({ d: Date('2014-12-08') }); s.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `d` (2014-12-08) exceeds the limit (2014-01-01). })
Sets a minimum date validator.
var s = new Schema({ d: { type: Date, min: Date('1970-01-01') }) var M = db.model('M', s) var m = new M({ d: Date('1969-12-31') }) m.save(function (err) { console.error(err) // validator error m.d = Date('2014-12-08'); m.save() // success }) // custom error messages // We can also use the special {MIN} token which will be replaced with the invalid value var min = [Date('1970-01-01'), 'The value of path `{PATH}` ({VALUE}) is beneath the limit ({MIN}).']; var schema = new Schema({ d: { type: Date, min: min }) var M = mongoose.model('M', schema); var s= new M({ d: Date('1969-12-31') }); s.validate(function (err) { console.log(String(err)) // ValidationError: The value of path `d` (1969-12-31) is before the limit (1970-01-01). })
Date SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator. To satisfy a
required validator, a buffer must not be null or undefined and have
non-zero length.
Buffer SchemaType constructor
This schema type's name, to defend against minifiers that mangle
function names.
Check if the given value satisfies a required validator. For a boolean
to satisfy a required validator, it must be strictly equal to true or to
false.
value
<Any>
Boolean SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Adds an auto-generated ObjectId default if turnOn is true.
turnOn
<Boolean> auto generated ObjectId defaults
Check if the given value satisfies a required validator.
ObjectId SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Mixed SchemaType constructor.
This schema type's name, to defend against minifiers that mangle
function names.
Sub-schema schematype constructor
Adds a cursor flag
Model.aggregate(..).addCursorFlag('noCursorTimeout', true).exec();
Aggregate constructor used for building aggregation pipelines.
new Aggregate(); new Aggregate({ $project: { a: 1, b: 1 } }); new Aggregate({ $project: { a: 1, b: 1 } }, { $skip: 5 }); new Aggregate([{ $project: { a: 1, b: 1 } }, { $skip: 5 }]);
Returned when calling Model.aggregate().
Model .aggregate({ $match: { age: { $gte: 21 }}}) .unwind('tags') .exec(callback)
new Aggregate({ $match: { _id: '00000000000000000000000a' } });
will not work unless _id
is a string in the database. Use new Aggregate({ $match: { _id: mongoose.Types.ObjectId('00000000000000000000000a') } });
instead.Sets the allowDiskUse option for the aggregation query (ignored for < 2.6.0)
Model.aggregate(..).allowDiskUse(true).exec(callback)
Appends new operators to this aggregate pipeline
ops
<Object> operator(s) to append
aggregate.append({ $project: { field: 1 }}, { $limit: 2 }); // or pass an array var pipeline = [{ $match: { daw: 'Logic Audio X' }} ]; aggregate.append(pipeline);
Adds a collation
Model.aggregate(..).collation({ locale: 'en_US', strength: 1 }).exec();
Sets the cursor option option for the aggregation query (ignored for < 2.6.0).
Note the different syntax below: .exec() returns a cursor object, and no callback
is necessary.
options
<Object> set the cursor batch size
var cursor = Model.aggregate(..).cursor({ batchSize: 1000 }).exec(); cursor.each(function(error, doc) { // use doc });
Executes the aggregate pipeline on the currently bound Model.
[callback]
<Function>
aggregate.exec(callback); // Because a promise is returned, the `callback` is optional. var promise = aggregate.exec(); promise.then(..);
Execute the aggregation with explain
callback
<Function>
Model.aggregate(..).explain(callback)
Combines multiple aggregation pipelines.
facet
<Object> options
Model.aggregate(...) .facet({ books: [{ groupBy: '$author' }], price: [{ $bucketAuto: { groupBy: '$price', buckets: 2 } }] }) .exec(); // Output: { books: [...], price: [{...}, {...}] }
Appends new custom $graphLookup operator(s) to this aggregate pipeline, performing a recursive search on a collection.
options
<Object> to $graphLookup as described in the above link
Note that graphLookup can only consume at most 100MB of memory, and does not allow disk use even if { allowDiskUse: true }
is specified.
// Suppose we have a collection of courses, where a document might look like `{ _id: 0, name: 'Calculus', prerequisite: 'Trigonometry'}` and `{ _id: 0, name: 'Trigonometry', prerequisite: 'Algebra' }` aggregate.graphLookup({ from: 'courses', startWith: '$prerequisite', connectFromField: 'prerequisite', connectToField: 'name', as: 'prerequisites', maxDepth: 3 }) // this will recursively search the 'courses' collection up to 3 prerequisites
Appends a new custom $group operator to this aggregate pipeline.
arg
<Object> $group operator contents
aggregate.group({ _id: "$department" });
Appends a new $limit operator to this aggregate pipeline.
num
<Number> maximum number of records to pass to the next stage
aggregate.limit(10);
Appends new custom $lookup operator(s) to this aggregate pipeline.
options
<Object> to $lookup as described in the above link
aggregate.lookup({ from: 'users', localField: 'userId', foreignField: '_id', as: 'users' });
Appends a new custom $match operator to this aggregate pipeline.
arg
<Object> $match operator contents
aggregate.match({ department: { $in: [ "sales", "engineering" } } });
Binds this aggregate to a model.
model
<Model> the model to which the aggregate is to be bound
Appends a new $geoNear operator to this aggregate pipeline.
parameters
<Object>
MUST be used as the first operator in the pipeline.
aggregate.near({ near: [40.724, -73.997], distanceField: "dist.calculated", // required maxDistance: 0.008, query: { type: "public" }, includeLocs: "dist.location", uniqueDocs: true, num: 5 });
Appends a new $project operator to this aggregate pipeline.
Mongoose query selection syntax is also supported.
// include a, include b, exclude _id aggregate.project("a b -_id"); // or you may use object notation, useful when // you have keys already prefixed with a "-" aggregate.project({a: 1, b: 1, _id: 0}); // reshaping documents aggregate.project({ newField: '$b.nested' , plusTen: { $add: ['$val', 10]} , sub: { name: '$a' } }) // etc aggregate.project({ salary_k: { $divide: [ "$salary", 1000 ] } });
Sets the readPreference option for the aggregation query.
Model.aggregate(..).read('primaryPreferred').exec(callback)
Appepnds new custom $sample operator(s) to this aggregate pipeline.
size
<Number> number of random documents to pick
aggregate.sample(3); // Add a pipeline that picks 3 random documents
Appends a new $skip operator to this aggregate pipeline.
num
<Number> number of records to skip before next stage
aggregate.skip(10);
Appends a new $sort operator to this aggregate pipeline.
If an object is passed, values allowed are asc
, desc
, ascending
, descending
, 1
, and -1
.
If a string is passed, it must be a space delimited list of path names. The sort order of each path is ascending unless the path name is prefixed with -
which will be treated as descending.
// these are equivalent aggregate.sort({ field: 'asc', test: -1 }); aggregate.sort('field -test');
Provides promise for aggregate.
Model.aggregate(..).then(successCallback, errorCallback);
Appends new custom $unwind operator(s) to this aggregate pipeline.
fields
<String> the field(s) to unwind
Note that the $unwind
operator requires the path name to start with '$'.
Mongoose will prepend '$' if the specified field doesn't start '$'.
aggregate.unwind("tags"); aggregate.unwind("a", "b", "c");
Sets a default value for this SchemaType.
val
<Function, T> the default value
var schema = new Schema({ n: { type: Number, default: 10 }) var M = db.model('M', schema) var m = new M; console.log(m.n) // 10
Defaults can be either functions
which return the value to use as the default or the literal value itself. Either way, the value will be cast based on its schema type before being set during document creation.
// values are cast: var schema = new Schema({ aNumber: { type: Number, default: 4.815162342 }}) var M = db.model('M', schema) var m = new M; console.log(m.aNumber) // 4.815162342 // default unique objects for Mixed types: var schema = new Schema({ mixed: Schema.Types.Mixed }); schema.path('mixed').default(function () { return {}; }); // if we don't use a function to return object literals for Mixed defaults, // each document will receive a reference to the same object literal creating // a "shared" object instance: var schema = new Schema({ mixed: Schema.Types.Mixed }); schema.path('mixed').default({}); var M = db.model('M', schema); var m1 = new M; m1.mixed.added = 1; console.log(m1.mixed); // { added: 1 } var m2 = new M; console.log(m2.mixed); // { added: 1 }
Adds a getter to this schematype.
fn
<Function>
function dob (val) { if (!val) return val; return (val.getMonth() + 1) + "/" + val.getDate() + "/" + val.getFullYear(); } // defining within the schema var s = new Schema({ born: { type: Date, get: dob }) // or by retreiving its SchemaType var s = new Schema({ born: Date }) s.path('born').get(dob)
Getters allow you to transform the representation of the data as it travels from the raw mongodb document to the value that you see.
Suppose you are storing credit card numbers and you want to hide everything except the last 4 digits to the mongoose user. You can do so by defining a getter in the following way:
function obfuscate (cc) { return '****-****-****-' + cc.slice(cc.length-4, cc.length); } var AccountSchema = new Schema({ creditCardNumber: { type: String, get: obfuscate } }); var Account = db.model('Account', AccountSchema); Account.findById(id, function (err, found) { console.log(found.creditCardNumber); // '****-****-****-1234' });
Getters are also passed a second argument, the schematype on which the getter was defined. This allows for tailored behavior based on options passed in the schema.
function inspector (val, schematype) { if (schematype.options.required) { return schematype.path + ' is required'; } else { return schematype.path + ' is not'; } } var VirusSchema = new Schema({ name: { type: String, required: true, get: inspector }, taxonomy: { type: String, get: inspector } }) var Virus = db.model('Virus', VirusSchema); Virus.findById(id, function (err, virus) { console.log(virus.name); // name is required console.log(virus.taxonomy); // taxonomy is not })
Declares the index options for this schematype.
var s = new Schema({ name: { type: String, index: true }) var s = new Schema({ loc: { type: [Number], index: 'hashed' }) var s = new Schema({ loc: { type: [Number], index: '2d', sparse: true }) var s = new Schema({ loc: { type: [Number], index: { type: '2dsphere', sparse: true }}) var s = new Schema({ date: { type: Date, index: { unique: true, expires: '1d' }}) Schema.path('my.path').index(true); Schema.path('my.date').index({ expires: 60 }); Schema.path('my.path').index({ unique: true, sparse: true });
Indexes are created in the background by default. Specify background: false
to override.
Adds a required validator to this SchemaType. The validator gets added
to the front of this SchemaType's validators array using unshift()
.
var s = new Schema({ born: { type: Date, required: true }) // or with custom error message var s = new Schema({ born: { type: Date, required: '{PATH} is required!' }) // or through the path API Schema.path('name').required(true); // with custom error messaging Schema.path('name').required(true, 'grrr :( '); // or make a path conditionally required based on a function var isOver18 = function() { return this.age >= 18; }; Schema.path('voterRegistrationId').required(isOver18);
The required validator uses the SchemaType's checkRequired
function to
determine whether a given value satisfies the required validator. By default,
a value satisfies the required validator if val != null
(that is, if
the value is not null nor undefined). However, most built-in mongoose schema
types override the default checkRequired
function:
SchemaType constructor
Sets default select()
behavior for this path.
val
<Boolean>
Set to true
if this path should always be included in the results, false
if it should be excluded by default. This setting can be overridden at the query level.
T = db.model('T', new Schema({ x: { type: String, select: true }})); T.find(..); // field x will always be selected .. // .. unless overridden; T.find().select('-x').exec(callback);
Adds a setter to this schematype.
fn
<Function>
function capitalize (val) { if (typeof val !== 'string') val = ''; return val.charAt(0).toUpperCase() + val.substring(1); } // defining within the schema var s = new Schema({ name: { type: String, set: capitalize }}) // or by retreiving its SchemaType var s = new Schema({ name: String }) s.path('name').set(capitalize)
Setters allow you to transform the data before it gets to the raw mongodb document and is set as a value on an actual key.
Suppose you are implementing user registration for a website. Users provide an email and password, which gets saved to mongodb. The email is a string that you will want to normalize to lower case, in order to avoid one email having more than one account -- e.g., otherwise, [email protected] can be registered for 2 accounts via [email protected] and [email protected].
You can set up email lower case normalization easily via a Mongoose setter.
function toLower (v) { return v.toLowerCase(); } var UserSchema = new Schema({ email: { type: String, set: toLower } }) var User = db.model('User', UserSchema) var user = new User({email: '[email protected]'}) console.log(user.email); // '[email protected]' // or var user = new User user.email = '[email protected]' console.log(user.email) // '[email protected]'
As you can see above, setters allow you to transform the data before it gets to the raw mongodb document and is set as a value on an actual key.
NOTE: we could have also just used the built-in lowercase: true
SchemaType option instead of defining our own function.
new Schema({ email: { type: String, lowercase: true }})
Setters are also passed a second argument, the schematype on which the setter was defined. This allows for tailored behavior based on options passed in the schema.
function inspector (val, schematype) { if (schematype.options.required) { return schematype.path + ' is required'; } else { return val; } } var VirusSchema = new Schema({ name: { type: String, required: true, set: inspector }, taxonomy: { type: String, set: inspector } }) var Virus = db.model('Virus', VirusSchema); var v = new Virus({ name: 'Parvoviridae', taxonomy: 'Parvovirinae' }); console.log(v.name); // name is required console.log(v.taxonomy); // Parvovirinae
Declares a sparse index.
bool
<Boolean>
var s = new Schema({ name: { type: String, sparse: true }) Schema.path('name').index({ sparse: true });
Declares a full text index.
bool
<Boolean>
var s = new Schema({name : {type: String, text : true }) Schema.path('name').index({text : true});
Declares an unique index.
bool
<Boolean>
var s = new Schema({ name: { type: String, unique: true }}); Schema.path('name').index({ unique: true });
NOTE: violating the constraint returns an E11000
error from MongoDB when saving, not a Mongoose validation error.
Adds validator(s) for this document path.
Validators always receive the value to validate as their first argument and must return Boolean
. Returning false
means validation failed.
The error message argument is optional. If not passed, the default generic error message template will be used.
// make sure every value is equal to "something" function validator (val) { return val == 'something'; } new Schema({ name: { type: String, validate: validator }}); // with a custom error message var custom = [validator, 'Uh oh, {PATH} does not equal "something".'] new Schema({ name: { type: String, validate: custom }}); // adding many validators at a time var many = [ { validator: validator, msg: 'uh oh' } , { validator: anotherValidator, msg: 'failed' } ] new Schema({ name: { type: String, validate: many }}); // or utilizing SchemaType methods directly: var schema = new Schema({ name: 'string' }); schema.path('name').validate(validator, 'validation of `{PATH}` failed with value `{VALUE}`');
From the examples above, you may have noticed that error messages support basic templating. There are a few other template keywords besides {PATH}
and {VALUE}
too. To find out more, details are available here
Passing a validator function that receives two arguments tells mongoose that the validator is an asynchronous validator. The first argument passed to the validator function is the value being validated. The second argument is a callback function that must called when you finish validating the value and passed either true
or false
to communicate either success or failure respectively.
schema.path('name').validate(function (value, respond) { doStuff(value, function () { ... respond(false); // validation failed }) }, '{PATH} failed validation.'); // or with dynamic message schema.path('name').validate(function (value, respond) { doStuff(value, function () { ... respond(false, 'this message gets to the validation error'); }); }, 'this message does not matter');
You might use asynchronous validators to retreive other documents from the database to validate against or to meet other I/O bound validation needs.
Validation occurs pre('save')
or whenever you manually execute document#validate.
If validation fails during pre('save')
and no callback was passed to receive the error, an error
event will be emitted on your Models associated db connection, passing the validation error object along.
var conn = mongoose.createConnection(..); conn.on('error', handleError); var Product = conn.model('Product', yourSchema); var dvd = new Product(..); dvd.save(); // emits error on the `conn` above
If you desire handling these errors at the Model level, attach an error
listener to your Model and the event will instead be emitted there.
// registering an error listener on the Model lets us handle errors more locally Product.on('error', handleError);
Adds a single function as a listener to both err and complete.
listener
<Function>
It will be executed with traditional node.js argument position when the promise is resolved.
promise.addBack(function (err, args...) { if (err) return handleError(err); console.log('success'); })
Alias of mpromise#onResolve.
Deprecated. Use onResolve
instead.
Adds a listener to the complete
(success) event.
listener
<Function>
Alias of mpromise#onFulfill.
Deprecated. Use onFulfill
instead.
Adds a listener to the err
(rejected) event.
listener
<Function>
Alias of mpromise#onReject.
Deprecated. Use onReject
instead.
ES6-style .catch()
shorthand
onReject
<Function>
Signifies that this promise was the last in a chain of then()s
: if a handler passed to the call to then
which produced this promise throws, the exception will go uncaught.
var p = new Promise; p.then(function(){ throw new Error('shucks') }); setTimeout(function () { p.fulfill(); // error was caught and swallowed by the promise returned from // p.then(). we either have to always register handlers on // the returned promises or we can do the following... }, 10); // this time we use .end() which prevents catching thrown errors var p = new Promise; var p2 = p.then(function(){ throw new Error('shucks') }).end(); // <-- setTimeout(function () { p.fulfill(); // throws "shucks" }, 10);
Rejects this promise with err
.
If the promise has already been fulfilled or rejected, not action is taken.
Differs from #reject by first casting err
to an Error
if it is not instanceof Error
.
Adds listener
to the event
.
If event
is either the success or failure event and the event has already been emitted, thelistener
is called immediately and passed the results of the original emitted event.
Promise constructor.
fn
<Function> a function which will be called when the promise is resolved that accepts fn(err, ...){}
as signature
err
: Emits when the promise is rejected
complete
: Emits when the promise is fulfilled
Promises are returned from executed queries. Example:
var query = Candy.find({ bar: true }); var promise = query.exec();
DEPRECATED. Mongoose 5.0 will use native promises by default (or bluebird,
if native promises are not present) but still
support plugging in your own ES6-compatible promises library. Mongoose 5.0
will not support mpromise.
Rejects this promise with reason
.
If the promise has already been fulfilled or rejected, not action is taken.
Resolves this promise to a rejected state if err
is passed or a fulfilled state if no err
is passed.
If the promise has already been fulfilled or rejected, not action is taken.
err
will be cast to an Error if not already instanceof Error.
NOTE: overrides mpromise#resolve to provide error casting.
Creates a new promise and returns it. If onFulfill
or onReject
are passed, they are added as SUCCESS/ERROR callbacks to this promise after the nextTick.
Conforms to promises/A+ specification.
var promise = Meetups.find({ tags: 'javascript' }).select('_id').exec(); promise.then(function (meetups) { var ids = meetups.map(function (m) { return m._id; }); return People.find({ meetups: { $in: ids } }).exec(); }).then(function (people) { if (people.length < 10000) { throw new Error('Too few people!!!'); } else { throw new Error('Still need more people!!!'); } }).then(null, function (err) { assert.ok(err instanceof Error); });
Fulfills this promise with passed arguments.
args
<T>
Alias of mpromise#fulfill.
Deprecated. Use fulfill
instead.
ES6-style promise constructor wrapper around mpromise.
resolver
<Function>
Fulfills this promise with passed arguments.
args
<T>
ES6 Promise wrapper constructor.
fn
<Function> a function which will be called when the promise is resolved that accepts fn(err, ...){}
as signature
Promises are returned from executed queries. Example:
var query = Candy.find({ bar: true }); var promise = query.exec();
DEPRECATED. Mongoose 5.0 will use native promises by default (or bluebird,
if native promises are not present) but still
support plugging in your own ES6-compatible promises library. Mongoose 5.0
will not support mpromise.
If we're doing virtual populate and projection is inclusive and foreign
field is not selected, automatically select it because mongoose needs it.
If projection is exclusive and client explicitly unselected the foreign
field, that's the client's fault.
Creates a Query
and specifies a $where
condition.
Sometimes you need to query for things in mongodb using a JavaScript expression. You can do so via find({ $where: javascript })
, or you can use the mongoose shortcut method $where via a Query chain or from your mongoose Model.
Blog.$where('this.username.indexOf("val") !== -1').exec(function (err, docs) {});
Signal that we desire an increment of this documents version.
Model.findById(id, function (err, doc) { doc.increment(); doc.save(function (err) { .. }) })
Returns another Model instance.
name
<String> model name
var doc = new Tank; doc.model('User').findById(id, callback);
Model constructor
doc
<Object> values with which to create the document
error
: If listening to this event, it is emitted when a document was saved without passing a callback and an error
occurred. If not listening, the event bubbles to the connection used to create this Model.
index
: Emitted after Model#ensureIndexes
completes. If an error occurred it is passed with the event.
index-single-start
: Emitted when an individual index starts within Model#ensureIndexes
. The fields and options being used to build the index are also passed with the event.
index-single-done
: Emitted when an individual index finishes within Model#ensureIndexes
. If an error occurred it is passed with the event. The fields, options, and index name are also passed.
Provides the interface to MongoDB collections as well as creates document instances.
Removes this document from the db.
[fn]
<function(err, product)> optional callback
product.remove(function (err, product) { if (err) return handleError(err); Product.findById(product._id, function (err, product) { console.log(product) // null }) })
As an extra measure of flow control, remove will return a Promise (bound to fn
if passed) so it could be chained, or hooked to recive errors
product.remove().then(function (product) { ... }).onRejected(function (err) { assert.ok(err) })
Saves this document.
[options]
<Object> options optional options
[options.safe]
<Object> overrides schema's safe option
[options.validateBeforeSave]
<Boolean> set to false to save without validating.
[fn]
<Function> optional callback
product.sold = Date.now(); product.save(function (err, product, numAffected) { if (err) .. })
The callback will receive three parameters
err
if an error occurredproduct
which is the saved product
numAffected
will be 1 when the document was successfully persisted to MongoDB, otherwise 0. Unless you tweak mongoose's internals, you don't need to worry about checking this parameter for errors - checking err
is sufficient to make sure your document was properly saved.As an extra measure of flow control, save will return a Promise.
product.save().then(function(product) {
...
});
For legacy reasons, mongoose stores object keys in reverse order on initial
save. That is, { a: 1, b: 2 }
will be saved as { b: 2, a: 1 }
in
MongoDB. To override this behavior, set
the toObject.retainKeyOrder
option
to true on your schema.
Performs aggregations on the models collection.
If a callback
is passed, the aggregate
is executed and a Promise
is returned. If a callback is not passed, the aggregate
itself is returned.
// Find the max balance of all accounts Users.aggregate( { $group: { _id: null, maxBalance: { $max: '$balance' }}}, { $project: { _id: 0, maxBalance: 1 }}, function (err, res) { if (err) return handleError(err); console.log(res); // [ { maxBalance: 98000 } ] }); // Or use the aggregation pipeline builder. Users.aggregate() .group({ _id: null, maxBalance: { $max: '$balance' } }) .select('-id maxBalance') .exec(function (err, res) { if (err) return handleError(err); console.log(res); // [ { maxBalance: 98 } ] });
$project
operators allow redefining the "shape" of the documents at any stage of the pipeline, which may leave documents in an incompatible format.Sends multiple insertOne
, updateOne
, updateMany
, replaceOne
,deleteOne
, and/or deleteMany
operations to the MongoDB server in one
command. This is faster than sending multiple independent operations because
with bulkWrite()
there is only one round trip to the server.
Mongoose will perform casting on all operations you provide.
This function does not trigger any middleware.
Character.bulkWrite([ { insertOne: { document: { name: 'Eddard Stark', title: 'Warden of the North' } } }, { updateOne: { filter: { name: 'Eddard Stark' }, // Mongoose inserts `$set` for you in the update below update: { title: 'Hand of the King' } } }, { deleteOne: { { name: 'Eddard Stark' } } } ]).then(handleResult);
Counts number of matching documents in a database collection.
Adventure.count({ type: 'jungle' }, function (err, count) { if (err) .. console.log('there are %d jungle adventures', count); });
Shortcut for saving one or more documents to the database.MyModel.create(docs)
does new MyModel(doc).save()
for every doc in
docs.
save()
// pass individual docs Candy.create({ type: 'jelly bean' }, { type: 'snickers' }, function (err, jellybean, snickers) { if (err) // ... }); // pass an array var array = [{ type: 'jelly bean' }, { type: 'snickers' }]; Candy.create(array, function (err, candies) { if (err) // ... var jellybean = candies[0]; var snickers = candies[1]; // ... }); // callback is optional; use the returned promise if you like: var promise = Candy.create({ type: 'jawbreaker' }); promise.then(function (jawbreaker) { // ... })
Deletes the first document that matches conditions
from the collection.
Behaves like remove()
, but deletes all documents that match conditions
regardless of the justOne
option.
Character.deleteMany({ name: /Stark/, age: { $gte: 18 } }, function (err) {});
Like Model.remove()
, this function does not trigger pre('remove')
or post('remove')
hooks.
Deletes the first document that matches conditions
from the collection.
Behaves like remove()
, but deletes at most one document regardless of thejustOne
option.
Character.deleteOne({ name: 'Eddard Stark' }, function (err) {});
Like Model.remove()
, this function does not trigger pre('remove')
or post('remove')
hooks.
Adds a discriminator type.
function BaseSchema() { Schema.apply(this, arguments); this.add({ name: String, createdAt: Date }); } util.inherits(BaseSchema, Schema); var PersonSchema = new BaseSchema(); var BossSchema = new BaseSchema({ department: String }); var Person = mongoose.model('Person', PersonSchema); var Boss = Person.discriminator('Boss', BossSchema);
Creates a Query for a distinct
operation.
Passing a callback
immediately executes the query.
Link.distinct('url', { clicks: {$gt: 100}}, function (err, result) { if (err) return handleError(err); assert(Array.isArray(result)); console.log('unique urls with more than 100 clicks', result); }) var query = Link.distinct('url'); query.exec(callback);
Sends ensureIndex
commands to mongo for each index declared in the schema.
Event.ensureIndexes(function (err) { if (err) return handleError(err); });
After completion, an index
event is emitted on this Model
passing an error if one occurred.
var eventSchema = new Schema({ thing: { type: 'string', unique: true }}) var Event = mongoose.model('Event', eventSchema); Event.on('index', function (err) { if (err) console.error(err); // error occurred during index creation })
NOTE: It is not recommended that you run this in production. Index creation may impact database performance depending on your load. Use with caution.
The ensureIndex
commands are not sent in parallel. This is to avoid the MongoError: cannot add index with a background operation in progress
error. See this ticket for more information.
Finds documents
The conditions
are cast to their respective SchemaTypes before the command is sent.
// named john and at least 18 MyModel.find({ name: 'john', age: { $gte: 18 }}); // executes immediately, passing results to callback MyModel.find({ name: 'john', age: { $gte: 18 }}, function (err, docs) {}); // name LIKE john and only selecting the "name" and "friends" fields, executing immediately MyModel.find({ name: /john/i }, 'name friends', function (err, docs) { }) // passing options MyModel.find({ name: /john/i }, null, { skip: 10 }) // passing options and executing immediately MyModel.find({ name: /john/i }, null, { skip: 10 }, function (err, docs) {}); // executing a query explicitly var query = MyModel.find({ name: /john/i }, null, { skip: 10 }) query.exec(function (err, docs) {}); // using the promise returned from executing a query var query = MyModel.find({ name: /john/i }, null, { skip: 10 }); var promise = query.exec(); promise.addBack(function (err, docs) {});
Finds a single document by its _id field. findById(id)
is almost*
equivalent to findOne({ _id: id })
. If you want to query by a document's_id
, use findById()
instead of findOne()
.
The id
is cast based on the Schema before sending the command.
Note: findById()
triggers findOne
hooks.
undefined
. If you use findOne()
, you'll see that findOne(undefined)
and findOne({ _id: undefined })
are equivalent to findOne({})
and return arbitrary documents. However, mongoose translates findById(undefined)
into findOne({ _id: null })
.// find adventure by id and execute immediately Adventure.findById(id, function (err, adventure) {}); // same as above Adventure.findById(id).exec(callback); // select only the adventures name and length Adventure.findById(id, 'name length', function (err, adventure) {}); // same as above Adventure.findById(id, 'name length').exec(callback); // include all properties except for `length` Adventure.findById(id, '-length').exec(function (err, adventure) {}); // passing options (in this case return the raw js objects, not mongoose documents by passing `lean` Adventure.findById(id, 'name', { lean: true }, function (err, doc) {}); // same as above Adventure.findById(id, 'name').lean().exec(function (err, doc) {});
Issue a mongodb findAndModify remove command by a document's _id field. findByIdAndRemove(id, ...)
is equivalent to findOneAndRemove({ _id: id }, ...)
.
Finds a matching document, removes it, passing the found document (if any) to the callback.
Executes immediately if callback
is passed, else a Query
object is returned.
sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updateselect
: sets the document fields to returnA.findByIdAndRemove(id, options, callback) // executes A.findByIdAndRemove(id, options) // return Query A.findByIdAndRemove(id, callback) // executes A.findByIdAndRemove(id) // returns Query A.findByIdAndRemove() // returns Query
Issues a mongodb findAndModify update command by a document's _id field.findByIdAndUpdate(id, ...)
is equivalent to findOneAndUpdate({ _id: id }, ...)
.
Finds a matching document, updates it according to the update
arg,
passing any options
, and returns the found document (if any) to the
callback. The query executes immediately if callback
is passed else a
Query object is returned.
This function triggers findOneAndUpdate
middleware.
new
: bool - true to return the modified document rather than the original. defaults to falseupsert
: bool - creates the object if it doesn't exist. defaults to false.runValidators
: if true, runs update validators on this command. Update validators validate the update operation against the model's schema.setDefaultsOnInsert
: if this and upsert
are true, mongoose will apply the defaults specified in the model's schema if a new document is created. This option only works on MongoDB >= 2.4 because it relies on MongoDB's $setOnInsert
operator.sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updateselect
: sets the document fields to returnA.findByIdAndUpdate(id, update, options, callback) // executes A.findByIdAndUpdate(id, update, options) // returns Query A.findByIdAndUpdate(id, update, callback) // executes A.findByIdAndUpdate(id, update) // returns Query A.findByIdAndUpdate() // returns Query
All top level update keys which are not atomic
operation names are treated as set operations:
Model.findByIdAndUpdate(id, { name: 'jason borne' }, options, callback) // is sent as Model.findByIdAndUpdate(id, { $set: { name: 'jason borne' }}, options, callback)
This helps prevent accidentally overwriting your document with { name: 'jason borne' }
.
Values are cast to their appropriate types when using the findAndModify helpers.
However, the below are never executed.
findAndModify
helpers support limited defaults and validation. You can
enable these by setting the setDefaultsOnInsert
and runValidators
options,
respectively.
If you need full-fledged validation, use the traditional approach of first
retrieving the document.
Model.findById(id, function (err, doc) { if (err) .. doc.name = 'jason borne'; doc.save(callback); });
Finds one document.
The conditions
are cast to their respective SchemaTypes before the command is sent.
Note: conditions
is optional, and if conditions
is null or undefined,
mongoose will send an empty findOne
command to MongoDB, which will return
an arbitrary document. If you're querying by _id
, use findById()
instead.
// find one iphone adventures - iphone adventures?? Adventure.findOne({ type: 'iphone' }, function (err, adventure) {}); // same as above Adventure.findOne({ type: 'iphone' }).exec(function (err, adventure) {}); // select only the adventures name Adventure.findOne({ type: 'iphone' }, 'name', function (err, adventure) {}); // same as above Adventure.findOne({ type: 'iphone' }, 'name').exec(function (err, adventure) {}); // specify options, in this case lean Adventure.findOne({ type: 'iphone' }, 'name', { lean: true }, callback); // same as above Adventure.findOne({ type: 'iphone' }, 'name', { lean: true }).exec(callback); // chaining findOne queries (same as above) Adventure.findOne({ type: 'iphone' }).select('name').lean().exec(callback);
Issue a mongodb findAndModify remove command.
Finds a matching document, removes it, passing the found document (if any) to the callback.
Executes immediately if callback
is passed else a Query object is returned.
sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updatemaxTimeMS
: puts a time limit on the query - requires mongodb >= 2.6.0select
: sets the document fields to returnA.findOneAndRemove(conditions, options, callback) // executes A.findOneAndRemove(conditions, options) // return Query A.findOneAndRemove(conditions, callback) // executes A.findOneAndRemove(conditions) // returns Query A.findOneAndRemove() // returns Query
Values are cast to their appropriate types when using the findAndModify helpers.
However, the below are never executed.
findAndModify
helpers support limited defaults and validation. You can
enable these by setting the setDefaultsOnInsert
and runValidators
options,
respectively.
If you need full-fledged validation, use the traditional approach of first
retrieving the document.
Model.findById(id, function (err, doc) { if (err) .. doc.name = 'jason borne'; doc.save(callback); });
Issues a mongodb findAndModify update command.
Finds a matching document, updates it according to the update
arg, passing any options
, and returns the found document (if any) to the callback. The query executes immediately if callback
is passed else a Query object is returned.
new
: bool - if true, return the modified document rather than the original. defaults to false (changed in 4.0)upsert
: bool - creates the object if it doesn't exist. defaults to false.fields
: {Object|String} - Field selection. Equivalent to .select(fields).findOneAndUpdate()
maxTimeMS
: puts a time limit on the query - requires mongodb >= 2.6.0sort
: if multiple docs are found by the conditions, sets the sort order to choose which doc to updaterunValidators
: if true, runs update validators on this command. Update validators validate the update operation against the model's schema.setDefaultsOnInsert
: if this and upsert
are true, mongoose will apply the defaults specified in the model's schema if a new document is created. This option only works on MongoDB >= 2.4 because it relies on MongoDB's $setOnInsert
operator.passRawResult
: if true, passes the raw result from the MongoDB driver as the third callback parameter
A.findOneAndUpdate(conditions, update, options, callback) // executes A.findOneAndUpdate(conditions, update, options) // returns Query A.findOneAndUpdate(conditions, update, callback) // executes A.findOneAndUpdate(conditions, update) // returns Query A.findOneAndUpdate() // returns Query
All top level update keys which are not atomic
operation names are treated as set operations:
var query = { name: 'borne' }; Model.findOneAndUpdate(query, { name: 'jason borne' }, options, callback) // is sent as Model.findOneAndUpdate(query, { $set: { name: 'jason borne' }}, options, callback)
This helps prevent accidentally overwriting your document with { name: 'jason borne' }
.
Values are cast to their appropriate types when using the findAndModify helpers.
However, the below are never executed.
findAndModify
helpers support limited defaults and validation. You can
enable these by setting the setDefaultsOnInsert
and runValidators
options,
respectively.
If you need full-fledged validation, use the traditional approach of first
retrieving the document.
Model.findById(id, function (err, doc) { if (err) .. doc.name = 'jason borne'; doc.save(callback); });
geoNear support for Mongoose
lean
{Boolean} return the raw object// Legacy point Model.geoNear([1,3], { maxDistance : 5, spherical : true }, function(err, results, stats) { console.log(results); }); // geoJson var point = { type : "Point", coordinates : [9,9] }; Model.geoNear(point, { maxDistance : 5, spherical : true }, function(err, results, stats) { console.log(results); });
Implements $geoSearch
functionality for Mongoose
var options = { near: [10, 10], maxDistance: 5 }; Locations.geoSearch({ type : "house" }, options, function(err, res) { console.log(res); });
near
{Array} x,y point to search formaxDistance
{Number} the maximum distance from the point near that a result can belimit
{Number} The maximum number of results to returnlean
{Boolean} return the raw object instead of the Mongoose ModelShortcut for creating a new Document from existing raw data, pre-saved in the DB.
The document returned has no paths marked as modified initially.
obj
<Object>
// hydrate previous data into a Mongoose document var mongooseCandy = Candy.hydrate({ _id: '54108337212ffb6d459f854c', type: 'jelly bean' });
Shortcut for validating an array of documents and inserting them into
MongoDB if they're all valid. This function is faster than .create()
because it only sends one operation to the server, rather than one for each
document.
This function does not trigger save middleware.
var arr = [{ name: 'Star Wars' }, { name: 'The Empire Strikes Back' }]; Movies.insertMany(arr, function(error, docs) {});
Executes a mapReduce command.
o
is an object specifying all mapReduce options as well as the map and reduce functions. All options are delegated to the driver implementation. See node-mongodb-native mapReduce() documentation for more detail about options.
var o = {}; o.map = function () { emit(this.name, 1) } o.reduce = function (k, vals) { return vals.length } User.mapReduce(o, function (err, results) { console.log(results) })
query
{Object} query filter object.sort
{Object} sort input objects using this keylimit
{Number} max number of documentskeeptemp
{Boolean, default:false} keep temporary datafinalize
{Function} finalize functionscope
{Object} scope variables exposed to map/reduce/finalize during executionjsMode
{Boolean, default:false} it is possible to make the execution stay in JS. Provided in MongoDB > 2.0.Xverbose
{Boolean, default:false} provide statistics on job execution time.readPreference
{String}out*
{Object, default: {inline:1}} sets the output target for the map reduce job.{inline:1}
the results are returned in an array{replace: 'collectionName'}
add the results to collectionName: the results replace the collection{reduce: 'collectionName'}
add the results to collectionName: if dups are detected, uses the reducer / finalize functions{merge: 'collectionName'}
add the results to collectionName: if dups exist the new docs overwrite the oldIf options.out
is set to replace
, merge
, or reduce
, a Model instance is returned that can be used for further querying. Queries run against this model are all executed with the lean
option; meaning only the js object is returned and no Mongoose magic is applied (getters, setters, etc).
var o = {}; o.map = function () { emit(this.name, 1) } o.reduce = function (k, vals) { return vals.length } o.out = { replace: 'createdCollectionNameForResults' } o.verbose = true; User.mapReduce(o, function (err, model, stats) { console.log('map reduce took %d ms', stats.processtime) model.find().where('value').gt(10).exec(function (err, docs) { console.log(docs); }); }) // a promise is returned so you may instead write var promise = User.mapReduce(o); promise.then(function (model, stats) { console.log('map reduce took %d ms', stats.processtime) return model.find().where('value').gt(10).exec(); }).then(function (docs) { console.log(docs); }).then(null, handleError).end()
Populates document references.
// populates a single object User.findById(id, function (err, user) { var opts = [ { path: 'company', match: { x: 1 }, select: 'name' } , { path: 'notes', options: { limit: 10 }, model: 'override' } ] User.populate(user, opts, function (err, user) { console.log(user); }); }); // populates an array of objects User.find(match, function (err, users) { var opts = [{ path: 'company', match: { x: 1 }, select: 'name' }] var promise = User.populate(users, opts); promise.then(console.log).end(); }) // imagine a Weapon model exists with two saved documents: // { _id: 389, name: 'whip' } // { _id: 8921, name: 'boomerang' } // and this schema: // new Schema({ // name: String, // weapon: { type: ObjectId, ref: 'Weapon' } // }); var user = { name: 'Indiana Jones', weapon: 389 } Weapon.populate(user, { path: 'weapon', model: 'Weapon' }, function (err, user) { console.log(user.weapon.name) // whip }) // populate many plain objects var users = [{ name: 'Indiana Jones', weapon: 389 }] users.push({ name: 'Batman', weapon: 8921 }) Weapon.populate(users, { path: 'weapon' }, function (err, users) { users.forEach(function (user) { console.log('%s uses a %s', users.name, user.weapon.name) // Indiana Jones uses a whip // Batman uses a boomerang }); }); // Note that we didn't need to specify the Weapon model because // it is in the schema's ref
Removes the first document that matches conditions
from the collection.
To remove all documents that match conditions
, set the justOne
option
to false.
Character.remove({ name: 'Eddard Stark' }, function (err) {});
This method sends a remove command directly to MongoDB, no Mongoose documents are involved. Because no Mongoose documents are involved, no middleware (hooks) are executed.
Same as update()
, except MongoDB replace the existing document with the
given document (no atomic operators like $set
).
Note updateMany will not fire update middleware. Use pre('updateMany')
and post('updateMany')
instead.
Updates documents in the database without returning them.
MyModel.update({ age: { $gt: 18 } }, { oldEnough: true }, fn); MyModel.update({ name: 'Tobi' }, { ferret: true }, { multi: true }, function (err, raw) { if (err) return handleError(err); console.log('The raw response from Mongo was ', raw); });
safe
(boolean) safe mode (defaults to value set in schema (true))upsert
(boolean) whether to create the doc if it doesn't match (false)multi
(boolean) whether multiple documents should be updated (false)runValidators
: if true, runs update validators on this command. Update validators validate the update operation against the model's schema.setDefaultsOnInsert
: if this and upsert
are true, mongoose will apply the defaults specified in the model's schema if a new document is created. This option only works on MongoDB >= 2.4 because it relies on MongoDB's $setOnInsert
operator.strict
(boolean) overrides the strict
option for this updateoverwrite
(boolean) disables update-only mode, allowing you to overwrite the doc (false)All update
values are cast to their appropriate SchemaTypes before being sent.
The callback
function receives (err, rawResponse)
.
err
is the error if any occurredrawResponse
is the full response from MongoAll top level keys which are not atomic
operation names are treated as set operations:
var query = { name: 'borne' }; Model.update(query, { name: 'jason borne' }, options, callback) // is sent as Model.update(query, { $set: { name: 'jason borne' }}, options, callback) // if overwrite option is false. If overwrite is true, sent without the $set wrapper.
This helps prevent accidentally overwriting all documents in your collection with { name: 'jason borne' }
.
Be careful to not use an existing model instance for the update clause (this won't work and can cause weird behavior like infinite loops). Also, ensure that the update clause does not have an _id property, which causes Mongo to return a "Mod on _id not allowed" error.
To update documents without waiting for a response from MongoDB, do not pass a callback
, then call exec
on the returned Query:
Comment.update({ _id: id }, { $set: { text: 'changed' }}).exec();
Although values are casted to their appropriate types when using update, the following are not applied:
If you need those features, use the traditional approach of first retrieving the document.
Model.findOne({ name: 'borne' }, function (err, doc) { if (err) .. doc.name = 'jason borne'; doc.save(callback); })
Same as update()
, except MongoDB will update all documents that matchcriteria
(as opposed to just the first one) regardless of the value of
the multi
option.
Note updateMany will not fire update middleware. Use pre('updateMany')
and post('updateMany')
instead.
Same as update()
, except MongoDB will update only the first document that
matches criteria
regardless of the value of the multi
option.
Note updateMany will not fire update middleware. Use pre('updateMany')
and post('updateMany')
instead.
Creates a Query, applies the passed conditions, and returns the Query.
For example, instead of writing:
User.find({age: {$gte: 21, $lte: 65}}, callback);
we can instead write:
User.where('age').gte(21).lte(65).exec(callback);
Since the Query class also supports where
you can continue chaining
User .where('age').gte(21).lte(65) .where('name', /^b/i) ... etc
Additional properties to attach to the query when calling save()
andisNew
is false.
Base Mongoose instance the model uses.
If this is a discriminator model, baseModelName
is the name of
the base model.
Collection the model uses.
Connection the model uses.
Registered discriminators for this model.
The name of the model
Schema the model uses.
Abstract Collection constructor
name
<String> name of the collection
conn
<Connection> A MongooseConnection instance
opts
<Object> optional collection options
This is the base class that drivers inherit from and implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
Abstract method that drivers must implement.
The collection name
The Connection instance
The collection name
© 2010 LearnBoost
Licensed under the MIT License.
http://mongoosejs.com/docs/api.html