MongoDB Query Language (MQL)

Is the syntax used to interact with MongoDB. It is similar to JSON and JavaScript-like in its structure, which makes it straightforward for developers familiar with JSON or JavaScript.

1. Connect to a MongoDB Database

Switch to a Database

use database_name

Show All Databases

show dbs

2. Basic CRUD Operations

Create (Insert Data)

Insert a document into a collection:

db.collection_name.insertOne({ name: "Alice", age: 25 })

Insert multiple documents:

db.collection_name.insertMany([
  { name: "Bob", age: 30 },
  { name: "Charlie", age: 35 }
])

Read (Query Data)

Get All Documents

db.collection_name.find()

Find Documents Matching a Condition

db.collection_name.find({ age: 30 })

Find with Projection (Select Specific Fields)

db.collection_name.find({ age: { $gte: 30 } }, { name: 1, _id: 0 })

Find One Document

db.collection_name.findOne({ name: "Alice" })

Update (Modify Data)

Update One Document

db.collection_name.updateOne(
  { name: "Alice" },  // Filter
  { $set: { age: 26 } }  // Update
)

Update Multiple Documents

db.collection_name.updateMany(
  { age: { $lt: 30 } },  // Filter
  { $set: { status: "young" } }  // Update
)

Replace a Document (Overwrites Entire Document)

db.collection_name.replaceOne(
  { name: "Alice" },  // Filter
  { name: "Alice", age: 27, city: "NYC" }  // New Document
)

Delete (Remove Data)

Delete One Document

db.collection_name.deleteOne({ name: "Bob" })

Delete Multiple Documents

db.collection_name.deleteMany({ age: { $gte: 30 } })

3. Query Operators

These operators are used in the query object to filter data.

Operator Description Example
$eq Equal { age: { $eq: 25 } }
$ne Not equal { age: { $ne: 25 } }
$gt Greater than { age: { $gt: 25 } }
$gte Greater than or equal { age: { $gte: 25 } }
$lt Less than { age: { $lt: 25 } }
$lte Less than or equal { age: { $lte: 25 } }
$in Matches any value in array { age: { $in: [25, 30, 35] } }
$nin Does not match any value in array { age: { $nin: [25, 30] } }

4. Advanced Queries

Logical Operators

Example:

db.collection_name.find({
  $or: [{ age: { $lt: 30 } }, { name: "Charlie" }]
})

Nested Documents

Query inside nested fields:

db.collection_name.find({ "address.city": "New York" })

Array Queries

Find documents where an array contains a value:

db.collection_name.find({ hobbies: "reading" })

Find documents where an array contains multiple values:

db.collection_name.find({ hobbies: { $all: ["reading", "coding"] } })

Find documents where an array has a specific size:

db.collection_name.find({ hobbies: { $size: 2 } })

5. Aggregation Framework

Use for advanced data manipulation and analysis.

Example: Group and Count

db.collection_name.aggregate([
  { $group: { _id: "$age", count: { $sum: 1 } } }
])

Example: Filter, Project, and Sort

db.collection_name.aggregate([
  { $match: { age: { $gte: 25 } } },
  { $project: { name: 1, age: 1 } },
  { $sort: { age: -1 } }
])

6. Indexing

Indexes improve query performance.

Create an Index

db.collection_name.createIndex({ age: 1 })  // 1 = Ascending, -1 = Descending

View Indexes

db.collection_name.getIndexes()

Drop an Index

db.collection_name.dropIndex({ age: 1 })

7. Common MongoDB Commands


8. Advanced Aggregation

Pipeline Stages

  1. $match: Filters data.
  2. $group: Groups data by a field and applies aggregations.
  3. $sort: Orders the results.
  4. $project: Includes/excludes specific fields.
  5. $lookup: Performs a join with another collection.

Code Example: Comprehensive Aggregation

db.orders.aggregate([
  { $match: { status: "shipped" } }, // Filter shipped orders
  { $group: { _id: "$customerId", totalSpent: { $sum: "$amount" } } }, // Group by customer and sum their spending
  { $sort: { totalSpent: -1 } }, // Sort by total spent, descending
  { $limit: 5 }, // Top 5 customers
  { $lookup: {
      from: "customers",
      localField: "_id",
      foreignField: "customerId",
      as: "customerDetails"
    }
  } // Enrich with customer details
])

9. Transaction Operations

MongoDB supports multi-document ACID transactions in replica sets.

Code Example: Transactions

const session = db.getMongo().startSession();
session.startTransaction();

try {
  const ordersCollection = session.getDatabase("store").orders;
  const inventoryCollection = session.getDatabase("store").inventory;

  ordersCollection.insertOne({ orderId: 1, product: "Book", quantity: 1 });
  inventoryCollection.updateOne(
    { product: "Book" },
    { $inc: { stock: -1 } }
  );

  session.commitTransaction();
} catch (error) {
  session.abortTransaction();
  console.error("Transaction failed:", error);
} finally {
  session.endSession();
}

Key Concepts


10. Advanced Indexing

Compound Index

db.collection_name.createIndex({ age: 1, name: 1 })

Text Index

db.collection_name.createIndex({ description: "text" })

Wildcard Index

db.collection_name.createIndex({ "$**": 1 })

Performance Insight

Use explain() to analyze query performance:

db.collection_name.find({ age: 25 }).explain("executionStats")

11. Full-Text Search

Search Text Fields

db.collection_name.find({ $text: { $search: "apple" } })

Search with Weighting

db.collection_name.createIndex({ title: "text", description: "text" }, { weights: { title: 10, description: 2 } })

Exclude Irrelevant Matches

db.collection_name.find({ $text: { $search: "apple -banana" } })

12. Geospatial Queries

Create a Geospatial Index

db.places.createIndex({ location: "2dsphere" })

Find Places Near a Point

db.places.find({
  location: {
    $near: {
      $geometry: { type: "Point", coordinates: [longitude, latitude] },
      $maxDistance: 1000 // Meters
    }
  }
})

Find Places Within a Polygon

db.places.find({
  location: {
    $geoWithin: {
      $geometry: {
        type: "Polygon",
        coordinates: [[[lng1, lat1], [lng2, lat2], [lng3, lat3], [lng1, lat1]]]
      }
    }
  }
})

13. Array Operations

Update Specific Array Elements

db.collection_name.updateOne(
  { _id: 1, "items.name": "apple" },
  { $set: { "items.$.quantity": 5 } }
)

Add Elements to an Array

db.collection_name.updateOne(
  { _id: 1 },
  { $push: { tags: "newTag" } }
)

Remove Specific Array Elements

db.collection_name.updateOne(
  { _id: 1 },
  { $pull: { tags: "obsoleteTag" } }
)

14. Data Validation

Define a Validation Schema

db.createCollection("products", {
  validator: {
    $jsonSchema: {
      bsonType: "object",
      required: ["name", "price"],
      properties: {
        name: {
          bsonType: "string",
          description: "must be a string and is required"
        },
        price: {
          bsonType: "double",
          minimum: 0,
          description: "must be a double and is required"
        }
      }
    }
  }
})

15. Change Streams

Track real-time changes to your collections.

Code Example: Watch Changes

const changeStream = db.collection_name.watch();

changeStream.on("change", (change) => {
  console.log("Change detected:", change);
});

Key Concepts


16. Backups and Restores

Backup Database

mongodump --db database_name --out /backup/directory

Restore Database

mongorestore --db database_name /backup/directory/database_name

17. Security Best Practices

  1. Enable Authentication:

    mongod --auth
    
  2. Create Users with Roles:

    db.createUser({
      user: "admin",
      pwd: "password",
      roles: [{ role: "userAdminAnyDatabase", db: "admin" }]
    });
    
  3. Limit Network Exposure:


18. Best Practices

  1. Use Proper Indexing:

  2. Sharding for Scalability:

  3. Avoid Large Documents:

  4. Enable Write Concern:


Resources

  1. MongoDB Documentation
  2. MongoDB University
  3. MQL Reference Guide

Comparison Of SQL To MongoDB

When comparing SQL (relational databases) and MongoDB (a NoSQL database), it largely depends on your specific use case, the type of data you’re working with, and the skills of your team. Both have their strengths and weaknesses, so let’s break it down to help you understand which might be better or easier for your needs.


1. What is SQL?

SQL databases are relational databases that organize data into tables with rows and columns, and relationships between data are defined explicitly (e.g., foreign keys). Examples include:

2. What is MongoDB?

MongoDB is a NoSQL database that stores data in a flexible, JSON-like format (called BSON). It is schema-less, meaning you don’t have to define a rigid structure for your data.


Key Differences:

Aspect SQL (Relational Databases) MongoDB (NoSQL Database)
Data Structure Fixed schema with tables, rows, and columns. Relationships between tables are explicitly defined. Flexible schema with JSON-like documents (BSON), suitable for semi-structured or unstructured data.
Relationships Strongly supports complex relationships using joins and foreign keys. Stores data as embedded documents, reducing the need for joins but making relationships less explicit.
Scalability Vertically scalable (adding more power to a single server). Horizontally scalable (easily adds more servers).
Ease of Use Requires designing and maintaining a schema, but querying with SQL is widely understood. Easier to start with because of its schema-less nature, but querying requires learning MongoDB syntax.
Performance Best for structured, predictable data and complex queries. Better for high write/read loads and large volumes of unstructured or semi-structured data.
Query Language Standard SQL, familiar and widely used. MongoDB Query Language (MQL), uses JSON-like syntax, simpler for some tasks.
Flexibility Less flexible because of rigid schema requirements. Highly flexible due to its schema-less design, making it ideal for rapidly evolving apps.
Transaction Support Strong ACID compliance for transactional systems like banking, e-commerce, etc. Supports transactions but is less mature than relational databases for complex transactions.
Indexing Supports various indexing strategies. Also supports indexing but shines with geospatial and other modern types of indexes.

When to Use SQL?

SQL databases are better when:

  1. You Have Structured Data:

  2. You Need Relationships:

  3. You Need Transactions:

  4. You Need Complex Queries:


When to Use MongoDB?

MongoDB is better when:

  1. You Have Unstructured or Semi-Structured Data:

  2. You Need Scalability:

  3. Your Schema Evolves Frequently:

  4. Speed and Simplicity:


Ease of Use: SQL vs MongoDB


Which is Better?


Real-World Example


Final Thoughts

Neither SQL nor MongoDB is universally “better.” Each excels in specific scenarios. If you’re using MongoDB already and it works well for your projects, there’s no need to switch. However, if you find MongoDB’s schema-less nature leading to confusion or inefficiencies, SQL may be worth considering.