@Divergent द्वारा दिया गया समाधान काम करता है, लेकिन मेरे अनुभव में 2 प्रश्नों का होना बेहतर है:
- पहले फ़िल्टरिंग के लिए और फिर फ़िल्टर किए गए तत्वों की संख्या प्राप्त करने के लिए आईडी द्वारा समूहीकरण। यहां फिल्टर मत करो, यह अनावश्यक है।
- दूसरी क्वेरी जो फ़िल्टर, सॉर्ट और पगेट करती है।
$ $ ROOT धकेलने के साथ समाधान और बड़े संग्रह के लिए $ 16MB की दस्तावेज़ स्मृति सीमा में $ स्लाइस का उपयोग करना। इसके अलावा, बड़े संग्रह के लिए दो क्वेरीज़ $$ ROOT पुश के साथ एक से अधिक तेज़ी से चलने लगती हैं। आप उन्हें समानांतर में भी चला सकते हैं, इसलिए आप केवल दो प्रश्नों के धीरज (शायद एक तरह से) तक सीमित हैं।
मैंने 2 प्रश्नों और एकत्रीकरण ढांचे का उपयोग करके इस समाधान के साथ समझौता किया है (नोट - मैं इस उदाहरण में नोड.जेएस का उपयोग करता हूं, लेकिन विचार एक ही है):
var aggregation = [
{
// If you can match fields at the begining, match as many as early as possible.
$match: {...}
},
{
// Projection.
$project: {...}
},
{
// Some things you can match only after projection or grouping, so do it now.
$match: {...}
}
];
// Copy filtering elements from the pipeline - this is the same for both counting number of fileter elements and for pagination queries.
var aggregationPaginated = aggregation.slice(0);
// Count filtered elements.
aggregation.push(
{
$group: {
_id: null,
count: { $sum: 1 }
}
}
);
// Sort in pagination query.
aggregationPaginated.push(
{
$sort: sorting
}
);
// Paginate.
aggregationPaginated.push(
{
$limit: skip + length
},
{
$skip: skip
}
);
// I use mongoose.
// Get total count.
model.count(function(errCount, totalCount) {
// Count filtered.
model.aggregate(aggregation)
.allowDiskUse(true)
.exec(
function(errFind, documents) {
if (errFind) {
// Errors.
res.status(503);
return res.json({
'success': false,
'response': 'err_counting'
});
}
else {
// Number of filtered elements.
var numFiltered = documents[0].count;
// Filter, sort and pagiante.
model.request.aggregate(aggregationPaginated)
.allowDiskUse(true)
.exec(
function(errFindP, documentsP) {
if (errFindP) {
// Errors.
res.status(503);
return res.json({
'success': false,
'response': 'err_pagination'
});
}
else {
return res.json({
'success': true,
'recordsTotal': totalCount,
'recordsFiltered': numFiltered,
'response': documentsP
});
}
});
}
});
});