Node.js MongoDB Create Database

Creating a database in MongoDB using Node.js is a straightforward process. MongoDB dynamically creates a database when you first reference it in your code and add data to it. This guide will explain how to set up and create a MongoDB database with Node.js.

 

Key Features of MongoDB Database Creation

  1. Dynamic Database Creation: MongoDB automatically creates the database if it doesn’t exist.
  2. Easy Integration: Node.js provides seamless integration with MongoDB for database creation and management.
  3. Minimal Configuration: No need for pre-configuration; you just need the MongoDB connection details.

 

Step 1 Install Dependencies

Install the mongodb driver using npm to enable interaction with MongoDB from Node.js.

npm install mongodb

Step 2 Connect to MongoDB

Use the MongoClient class to establish a connection to the MongoDB server.

Example Code

const { MongoClient } = require('mongodb');

// Connection URL and Database Name
const url = 'mongodb://127.0.0.1:27017';
const dbName = 'mynewdatabase';

async function connectToMongoDB() {
  const client = new MongoClient(url);

  try {
    // Connect to the server
    await client.connect();
    console.log('Connected to MongoDB');

    // Reference the database (it will be created dynamically)
    const db = client.db(dbName);
    console.log(`Database created: ${db.databaseName}`);
  } finally {
    // Close the connection
    await client.close();
  }
}

connectToMongoDB().catch(console.error);

Output:

Connected to MongoDB  
Database created: mynewdatabase

Step 3 Verify Database Creation

MongoDB databases are created only after data is added. To verify the database, insert a document into a collection.

Example Code

async function createCollectionAndInsertData() {
  const client = new MongoClient(url);

  try {
    await client.connect();
    const db = client.db(dbName);

    // Create a collection and insert a document
    const collection = db.collection('example');
    const result = await collection.insertOne({ name: 'Alice', age: 25 });

    console.log('Data inserted:', result.insertedId);
  } finally {
    await client.close();
  }
}

createCollectionAndInsertData().catch(console.error);

Output:

Data inserted: 61b0e7e3c1a43b60d7bc3d2f

Step 4 View the Created Database

  • Start the MongoDB shell or connect through a GUI tool like MongoDB Compass.
  • Run the following command in the MongoDB shell to view the databases:
show dbs
  • Verify that the new database (mynewdatabase) appears in the list.

 

Summary

Creating a MongoDB database using Node.js is simple and efficient. The database is automatically created when you first reference it and add data. By following this guide, you can easily create and verify a new MongoDB database, enabling dynamic and scalable application development.