MongoDB Aggregation聚合操作

MongoDB Aggregation

最近在做产品的后台管理时,查询的数据量比较大时,MongoDB会报错,由于在查询时使用了排序功能,

Sort operation used more than the maximum 33554432 bytes of RAM.
Add an index, or specify a smaller limit..

根据官方文档的描述,Sort是在内存中的操作,使用的内存不能超过32MB,如果超过了32MB,就会报
错误。建议增加 Index索引,但是增加索引会增加存储量,也会影响写入的速度

可以使用 Aggregation聚合,来操作大量的数据的查询和排序

  • Aggregation Pipeline操作的限制

    MongoDB2.6之后,Aggregation Pipeline操作的最大的内存限制是100MB,如果超过100MB也会报错,
    在使用 Aggregation时,如果要处理大量的数据时,请使用 allowDiskUse 参数,这个参数可以将
    要处理的数据先写入到临时文件中

Aggregation 操作

db.collection.aggregate( [ {  }, ... ] )
$match
$sort
$limit
....

具体的stage相关的语句,请参考官方支持的表达式 aggregate pipeline operation

Aggregation C# Driver

// connectionString="mongodb://127.0.0.1:27017"

var client = new MongoClient(connectionString);
IMongoDatabase _db = client.GetDatabase(dbName);
var collection = GetCollection(collectionName)


IList stages = new List();

//查询
string f = "{ $or: [ { _id: { $eq:" + "\"" + query + "\"} }, { sn: { $eq: " + "\"" + query + "\" } } ] }";
string idMatch = "{ $match: " + f + "}";
PipelineStageDefinition queryPipline = new JsonPipelineStageDefinition(idMatch);

stages.Add(queryPipline);

//排序
string sortPipeline = "{$sort:{time:-1}}";
PipelineStageDefinition sortPipline = new JsonPipelineStageDefinition(sortPipeline);

stages.Add(sortPipline);

//分页
string skipPiple = "{$skip:" + page * 10 + "}";
string limitPiple = "{$limit:" + 10 + "}";
PipelineStageDefinition skipPipline = new JsonPipelineStageDefinition(skipPiple);
PipelineStageDefinition limitPipline = new JsonPipelineStageDefinition(limitPiple);

stages.Add(skipPipline);
stages.Add(limitPipline);

PipelineDefinition pipe = new PipelineStagePipelineDefinition(stages);


AggregateOptions options = new AggregateOptions();
options.AllowDiskUse = true;

collection.Aggregate(pipeline, options).ToList();

你可能感兴趣的:(MongoDB Aggregation聚合操作)