$or - Amazon DocumentDB
Services or capabilities described in AWS documentation might vary by Region. To see the differences applicable to the AWS European Sovereign Cloud Region, see the AWS European Sovereign Cloud User Guide.

$or

The $or aggregation operator evaluates multiple expressions and returns true if at least one expression evaluates to true. It returns false only if all expressions are false.

Parameters

  • expressions: An array of expressions to evaluate.

Example (MongoDB Shell)

The following example demonstrates using the $or operator to check if products meet any of multiple criteria.

Create sample documents

db.items.insertMany([ { _id: 1, name: "Widget", price: 150, onSale: false }, { _id: 2, name: "Gadget", price: 45, onSale: false }, { _id: 3, name: "Tool", price: 200, onSale: true } ]);

Query example

db.items.aggregate([ { $project: { name: 1, price: 1, onSale: 1, goodDeal: { $or: [ { $lt: ["$price", 50] }, { $eq: ["$onSale", true] } ] } } } ]);

Output

[ { _id: 1, name: 'Widget', price: 150, onSale: false, goodDeal: false }, { _id: 2, name: 'Gadget', price: 45, onSale: false, goodDeal: true }, { _id: 3, name: 'Tool', price: 200, onSale: true, goodDeal: true } ]

Code examples

To view a code example for using the $or aggregation operator, choose the tab for the language that you want to use:

Node.js
const { MongoClient } = require('mongodb'); async function example() { const client = await MongoClient.connect('mongodb://<username>:<password>@<cluster-endpoint>:27017/?tls=true&tlsCAFile=global-bundle.pem&replicaSet=rs0&readPreference=secondaryPreferred&retryWrites=false'); const db = client.db('test'); const collection = db.collection('items'); const result = await collection.aggregate([ { $project: { name: 1, price: 1, onSale: 1, goodDeal: { $or: [ { $lt: ["$price", 50] }, { $eq: ["$onSale", true] } ] } } } ]).toArray(); console.log(result); await client.close(); } example();
Python
from pymongo import MongoClient def example(): client = MongoClient('mongodb://<username>:<password>@<cluster-endpoint>:27017/?tls=true&tlsCAFile=global-bundle.pem&replicaSet=rs0&readPreference=secondaryPreferred&retryWrites=false') db = client['test'] collection = db['items'] result = list(collection.aggregate([ { '$project': { 'name': 1, 'price': 1, 'onSale': 1, 'goodDeal': { '$or': [ { '$lt': ['$price', 50] }, { '$eq': ['$onSale', True] } ] } } } ])) print(result) client.close() example()