07 - Introduction To Mongoose
07 - Introduction To Mongoose
Introduction to mongoose
Mongoose Middlewares
In this module, we’ll learn how Mongoose, a third-party library for MongoDB, can help you to structure and access your data with ease.
Intro To Mongoose
What is Mongoose?
Mongoose is an ODM (Object Data Modeling) library for MongoDB. While you don’t need to use an Object Data Modeling (ODM) or Object Relation
Mapping (ORM) tool to have a great experience with MongoDB, some developers prefer them. Many Node.js developers choose to work with Mongoos
to help with data modeling, schema enforcement, model validation, and general data manipulation. And Mongoose makes these tasks effortless.
Why Mongoose?
By default, MongoDB has a flexible data model. This makes MongoDB databases very easy to alter and update in the future. But a lot of developers a
accustomed to having rigid schemas. Mongoose forces a semi-rigid schema from the beginning. With Mongoose, developers must define a Schema an
Model.
What is a schema?
A schema defines the structure of your collection documents. A Mongoose schema maps directly to a MongoDB collection. Let’s see an example
Schema(
const blog = new Schema({
String,
title: String,
String,
slug: String,
Boolean,
published: Boolean,
String,
author: String,
String,
content: String ,
String]
tags: [String], // Array of strings
Date,
createdAt: Date ,
Date,
updatedAt: Date ,
comments: [{ //array with objects of defined structure
String,
user: String,
String,
content: String ,
votes: Number
}]
});
With schemas, we define each field and its data type. Permitted types are:
String
Number
Date
Buffer
Boolean
Mixed
ObjectId
Array
Decimal128
Map
What is a model?
Models take your schema and apply it to each document in its collection. Models are responsible for all document interactions like creating, readin
updating, and deleting (CRUD).
An important note: the first argument passed to the model should be the singular form of your collection name. Mongoose
automatically changes this to the plural form, transforms it to lowercase, and uses that for the database collection name.
mongoose.
const Blog = mongoose .model
model(('Blog'
'Blog',
, blog
blog)
);
Setting up mongoose
Let’s set up our environment. I’m going to assume you have Node.js installed already.
We’ll run the following commands from the terminal to get going:
mkdir mongodb-mongoose
cd mongodb-mongoose
npm init -y
npm i mongoose
npm i -D nodemon
code . // this will open the current folder in vs code
This will create the project directory, initialize, install the packages we need, and open the project in VS Code.
Let’s add a script to our package.json file to run our project. We will also use ES Modules instead of Common JS, so we’ll add the module type a
well.
...
"scripts": {
"dev": "nodemon index.js"
},
"type": "module",
...
Connecting to MongoDB
Now we’ll create the index.js file and use Mongoose to connect to MongoDB.
mongoose.connect("mongodb://localhost:27017/mongoose");
Before we do anything with our connection, we’ll need to create a schema and model.
Ideally, you would create a schema/model file for each schema that is needed. So we’ll create a new folder/file structure: model/Blog.js .
Now that we have our first model and schema set up, we can start inserting data into our database.
Back in the index.js file, let’s insert a new blog article.
mongoose.connect("mongodb://localhost:27017/mongoose")
We first need to import the Blog model that we created. Next, we create a new blog object and then use the save() method to insert it into o
MongoDB database.
Let’s run the code!
In the previous example, we used the save() Mongoose method to insert the document into our database. This requires two actions: instantiating th
object, and then saving it.
Alternatively, we can do this in one action using the Mongoose create() method.
console.
console.log
log(
(article
article));
This method is much better! Not only can we insert our document, but we also get returned the document along with its _id when we console log it.
Update data
Mongoose makes updating data very convenient too. Expanding on the previous example, let’s change the title of our article.
article.
article.title = "The Most Awesomest Post!!";
Post!!";
article.
await article.save
save(
();
console.
console.log
log(
(article
article));
We can directly edit the local object, and then use the save() method to write the update back to the database. I don’t think it can get much easie
than that!
Finding data
Let’s make sure we are updating the correct document. We’ll use a special Mongoose method, findById() , to get our document by its ObjectId.
There are many query options in Mongoose. View the full list of queries.
Just like with the standard MongoDB Node.js driver, we can project only the fields that we need. Let’s only g
the title , slug and content fields.
Blog.
const article = await Blog .findById
findById(
("62472b6ce09e8b77266d6b1b"
"62472b6ce09e8b77266d6b1b",
, "title slug content")
content").exec
exec(
();
console.
console.log
log(
(article
article));
The second parameter can be of type Object|String|Array<String> to specify which fields we would like to project. In this case, we use
a String .
Deleting data
Just like in the standard MongoDB Node.js driver, we have the deleteOne() and deleteMany() methods.
Blog.
const blog = await Blog.deleteOne
deleteOne(({ author: "Jesse Hall" })
console.
console.log
log(
(blog
blog)
)
Blog.
const blog = await Blog.deleteMany
deleteMany(
({ author: "Jesse Hall" })
console.
console.log
log(
(blog
blog)
)
Notice that the documents we have inserted so far have not contained an author , dates, or comments . So far, we have defined what the structure
our document should look like, but we have not defined which fields are actually required. At this point any field can be omitted.
Let’s set some required fields in our Blog.js schema.
Schema(
const blogSchema = new Schema ({
title: {
String,
type: String,
true,
required: [true ,'Title is required!']
required!'], // specify your error message,
minLength:4
},
slug: {
String,
type: String,
true,
required: true,
true,
lowercase: true ,
maxLength:6
},
published: {
Boolean,
type: Boolean ,
false,
default: false ,
},
author: {
type: String,
String,
true,
required: true,
},
String,
content: String ,
String]
tags: [String],
createdAt: {
Date,
type: Date,
Date.
default: () => Date .now
now((),
true,
immutable: true ,
},
Date,
updatedAt: Date ,
comments: [{
String,
user: String,
String,
content: String ,
votes: Number
}]
});
Validators only run on the create or save methods. Learn about validation in details here
- https://mongoosejs.com/docs/validation.html
Mongoose uses many standard MongoDB methods plus introduces many extra helper methods that are abstracted from regular MongoDB method
Next, we’ll go over just a few of them. exists()
The exists() method returns either null or the ObjectId of a document that matches the provided query.
Blog.
const blog = await Blog.exists
exists(
({ author: "Jesse Hall" })
console.
console.log
log(
(blog
blog)
)
where()
Mongoose also has its own style of querying data. The where() method allows us to chain and build queries.
Either of these methods work. Use whichever seems more natural to you.
You can also chain multiple where() methods to include even the most complicated query.
select()
To include projection when using the where() method, chain the select() method after your query.
Blog.
const blog = await Blog.where
where(("author"
"author")
).equals
equals(
("Jesse Hall")
Hall").select
select(
("title author")
author")
console.
console.log
log(
(blog
blog)
)
Multiple Schemas
It's important to understand your options when modeling data.
If you’re coming from a relational database background, you’ll be used to having separate tables for all of your related data.
Generally, in MongoDB, data that is accessed together should be stored together.
You should plan this out ahead of time if possible. Nest data within the same schema when it makes sense.
If you have the need for separate schemas, Mongoose makes it a breeze.
Let’s create another schema so that we can see how multiple schemas can be used together.
We’ll create a new file, User.js , in the model folder.
Schema(
const userSchema = new Schema({
name: {
String,
type: String,
true,
required: true,
},
email: {
String,
type: String,
10,
minLength: 10 ,
true,
required: true,
lowercase: true
},
});
const User = model('User', userSchema);
export default User;
For the email , we are using a new property, minLength , to require a minimum character length for this string.
Now we’ll reference this new user model in our blog schema for the author and comments.user .
Here, we set the author and comments.user to SchemaTypes.ObjectId and added a ref , or reference, to the user model.
This will allow us to “join” our data a bit later.
And don’t forget to destructure SchemaTypes from mongoose at the top of the file.
Lastly, let’s update the index.js file. We’ll need to import our new user model, create a new user, and create a new article with the new user’s _id
...
import User from './model/User.js';
...
console.log(article);
Notice now that there is a users collection along with the blogs collection in the MongoDB database.
You’ll now see only the user _id in the author field. So, how do we get all of the info for the author along with the article?
We can use the populate() Mongoose method.
Middleware
In Mongoose, middleware are functions that run before and/or during the execution of asynchronous functions at the schema level.
Here’s an example. Let’s update the updated date every time an article is saved or updated. We’ll add this to our Blog.js model.
blogSchema.pre('save', function(next) {
this.updated = Date.now(); // update the date every time a blog post is saved
next();
});
Then in the index.js file, we’ll find an article, update the title, and then save it.
Next Steps
I think our example here could use another schema for the comments . Try creating that schema and testing it by adding a few users and comments.
There are many other great Mongoose helper methods that are not covered here. Be sure to check out the official documentation for references an
more examples.
Conclusion
I think it’s great that developers have many options for connecting and manipulating data in MongoDB. Whether you prefer Mongoose or the standa
MongoDB drivers, in the end, it’s all about the data and what’s best for your application and use case.
I can see why Mongoose appeals to many developers and I think I’ll use it more in the future.
Thank You!