本文属于机器翻译版本。若本译文内容与英语原文存在差异,则一律以英文原文为准。
$match
Amazon DocumentDB 中的$match管道阶段用于筛选输入文档,仅筛选符合指定查询条件的文档。它是聚合操作中最常用的流水线阶段之一。该$match阶段在任何其他管道阶段之前应用,使您可以有效地减少后续阶段需要处理的文档数量。
参数
示例(MongoDB 外壳)
以下示例演示如何使用$match舞台根据特定字段值筛选文档。
创建示例文档
db.collection.insertMany([
{ _id: 1, name: "John", age: 25, city: "New York" },
{ _id: 2, name: "Jane", age: 30, city: "Los Angeles" },
{ _id: 3, name: "Bob", age: 35, city: "Chicago" },
{ _id: 4, name: "Alice", age: 40, city: "Miami" }
]);
查询示例
db.collection.aggregate([
{ $match: { age: { $gt: 30 } } },
{ $project: { _id: 1, name: 1, city: 1 } }
]);
输出
[
{ "_id": 3, "name": "Bob", "city": "Chicago" },
{ "_id": 4, "name": "Alice", "city": "Miami" }
]
该$match阶段会筛选文档,使其仅包括age字段大于 30 的文档。
代码示例
要查看使用该$match命令的代码示例,请选择要使用的语言的选项卡:
- 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('collection');
const result = await collection.aggregate([
{ $match: { age: { $gt: 30 } } },
{ $project: { _id: 1, name: 1, city: 1 } }
]).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['collection']
result = list(collection.aggregate([
{ '$match': { 'age': { '$gt': 30 } } },
{ '$project': { '_id': 1, 'name': 1, 'city': 1 } }
]))
print(result)
client.close()
example()