DEV Community

Cover image for 2 ways to 🔧 set up Nextjs with MongoDB 🛢️ and Mongoose
Anjan Shomodder
Anjan Shomodder

Posted on

2 ways to 🔧 set up Nextjs with MongoDB 🛢️ and Mongoose

In this blog, we will learn how to set up a Next.js 14 project with MongoDB and Mongoose.
Setting up Nextjs with MongoDB can be tricky. But I will show you how to do that in 2 ways.

Setup database

I will use MongoDB Atlas for this tutorial.

  1. Go to MongoDB Atlas and create an account.
  2. Create a organization if you haven't created any and a project.
    Image description
    Image description

  3. Create a cluster and choose the free tier.
    Image description
    Image description

  4. Create a database user and add the IP address to the IP access list.
    Image description
    Image description

  5. Create a database and a collection. Let's call both of them posts
    Image description
    Image description
    Image description
    Image description
    Now we have a database and a collection.

  6. Get the connection string from the cluster and save it for later.

    • Go to overview button on sidebar. And then use connection method. Image description Image description
    • Choose correct driver(nodejs latest)
    • Copy the connection string Image description

You can also check out the video tutorial to get a better understanding.

Create a Next.js project

Use the command below to create a new Next.js project. Make sure to use app router.

npx create-next-app nextjs-mongodb
Enter fullscreen mode Exit fullscreen mode

Install dependencies

Install the mongoose package.

npm install mongoose
Enter fullscreen mode Exit fullscreen mode

Connect to database

Create a new .env.local file and add the connection string to it.

MONGO_URI=your_connection_string

# Example
MONGO_URI=mongodb+srv://anjan:anjan@cluster0.est6lzg.mongodb.net/posts?retryWrites=true&w=majority
Enter fullscreen mode Exit fullscreen mode

Replace <password> with database password. And add db name after mongodb.net/ and before ?. Check the example above.

Create a new file db.js and add the code below.

// /src/app/lib/db.js

import mongoose from 'mongoose'

const MONGODB_URI = process.env.MONGO_URI

if (!MONGODB_URI) {
    throw new Error(
        'Please define the MONGODB_URI environment variable inside .env.local',
    )
}

let cached = global.mongoose

if (!cached) {
    cached = global.mongoose = { conn: null, promise: null }
}

async function dbConnect() {
    if (cached.conn) {
        return cached.conn
    }
    if (!cached.promise) {
        const opts = {
            bufferCommands: false,
        }
        cached.promise = mongoose.connect(MONGODB_URI, opts).then(mongoose => {
            console.log('Db connected')
            return mongoose
        })
    }
    try {
        cached.conn = await cached.promise
    } catch (e) {
        cached.promise = null
        throw e
    }

    return cached.conn
}

export default dbConnect
Enter fullscreen mode Exit fullscreen mode

Explanation:

  1. With this dbConnect function, we are connecting to the database and caching the connection.
  2. We are only connecting to the database once and reusing the connection. You don't want to connect to the database multiple times.

Where to use dbConnect function?

This is a tricky question. In basic Node.js projects, you can connect to the database in the entry file index.js and you don't call that again.
But in Nextjs, there isn't any entry file. Because all the pages and route handlers are specific to the pages or API routes.

But now you can use the experimental feature called instrumentation. It will allow you to execute any startup script and this runs only once when the nextjs server starts.

Enable the instrumentation feature by adding the code below to the next.config.js file.

module.exports = {
    experimental: {
        instrumentationHook: true,
    },
}
Enter fullscreen mode Exit fullscreen mode

Create a new file instrumentation.js at the root of project or inside src directory if it exist. And add the code below.

import connect from '@/lib/db'

export async function register() {
    await connect()
}
Enter fullscreen mode Exit fullscreen mode

You just need to export the register function and call the dbConnect function inside it.

If the connection is successful, you will see the message Db connected in the console even before you access any page or api route.

Image description

What if you don't want to use instrumentation?

In that case, you have to call the dbConnect function on every page or api route where you want to access the database.

Because if you try to access the page and you don't call the connection function, you will get an error.
For example, you only call the function in the /home/page.js file but the first user visiting the /about/page.js file will get an error. Because the connection is not established yet.

Once you have a connection, you can create model to interact with the database.

Create a model

Create a new file post.js and add the code below.

import mongoose from 'mongoose'

const postSchema = new mongoose.Schema({
    title: {
        type: String,
        required: true,
    },
    description: {
        type: String,
        required: true,
    },
})

export default mongoose.models.Post || mongoose.model('Post', postSchema)
Enter fullscreen mode Exit fullscreen mode

Explanation:

  1. We create a new schema with title and description fields.
  2. We export the model. If the model already exists, we use that. Otherwise, we create a new model.

Add new post

Let's create a form and a server action

export default async function Home() {
    return (
        <form action={addPost}>
            <div>
                <label>Title</label>
                <input name='title' type='text' />
            </div>
            <div>
                <label>Description</label>
                <textarea name='description' />
            </div>
            <button>Submit</button>
        </form>
    )
}
Enter fullscreen mode Exit fullscreen mode

Image description

Create a server action in a separate file.

'use server'

import Post from '@/models/Post'

const addPost = async post => {
    const title = post.get('title')
    const description = post.get('description')

    const newPost = new Post({ title, description })
    return newPost.save()
}

export { addPost }
Enter fullscreen mode Exit fullscreen mode

Explanation:

  1. We have a server action that will add a new post to the database.
  2. It will be called when the form is submitted.

Image description

Get all post

Let's create another function:

const getPosts = async () => {
    return Post.find()
}
Enter fullscreen mode Exit fullscreen mode

Render the posts.

import { getPosts } from '@/actions/action'

export default async function Home() {
    const posts = await getPosts()

    return (
        <div>
            {posts.map(post => (
                <div key={post._id}>
                    <h1>{post.title}</h1>
                    <p>{post.description}</p>
                </div>
            }
            <form action={addPost}>
                <div>
                    <label>Title</label>
                    <input name='title' type='text' />
                </div>
                <div>
                    <label>Description</label>
                    <textarea name='description' />
                </div>
                <button>Submit</button>
            </form>
        </div>
    )
}
Enter fullscreen mode Exit fullscreen mode

Now you should get the list of posts from the database.

That's it. You have successfully set up a Next.js 14 project with MongoDB and Mongoose.

Top comments (7)

Collapse
 
bhavyashah profile image
Bhavyashah

Could you please make an full blogging website where user can't use nodejs and express js and we can call the data directly through mongodb via next js 14 api

So could you please make an complete video on it so it was helpful for us to understand next js 14 api more..

Collapse
 
thatanjan profile image
Anjan Shomodder • Edited

Thanks for the suggestion. I already have a video series on building a blogging site using Nextjs and mongodb. Though it is not next 13. But you can use the same logic. Just run the getStaticProps logic on server components.

https://youtube.com/playlist?list=PLEr-WXao6eSPBeUOaaHnQ1qG22_J5hM1o&si=AFblzp2aBm4gVMS5

Collapse
 
best_codes profile image
Best Codes

Just when I needed this, it came up in my feed!
Super useful and fun to read, thanks for writing.

Collapse
 
thatanjan profile image
Anjan Shomodder

Glad to hear that it helped

Collapse
 
anmolbaranwal profile image
Anmol Baranwal

@thatanjan Pretty awesome considering this is your first post on DEV.
Welcome to DEV & Keep creating inspirational content.
It will reach more people for sure :)

Collapse
 
thatanjan profile image
Anjan Shomodder

thank you 🙏

Some comments may only be visible to logged-in visitors. Sign in to view all comments.