8

我想从 MongoDB 中检索数据,一次 5 个

我正在使用 limit 来限制返回的记录数

router.post('/List', function (req, res) {
    var db = req.db;
    var collection = db.get('clnName');
    collection.find({}, { limit: 5 * req.body.requestCount }, function (e, docs) {
        res.json(docs);
    });
});

在这里,我从客户端递增requestCount变量,以便获得 5 的倍数的数据。我想要实现的是在第一个请求中获取前 5 个数据,在第二个请求中获取接下来的 5 个数据,但发生的是,我获取前 5 个数据,然后获取前 10 个数据

我应该做出什么改变来实现我所需要的?

在 mongo 游标方法中使用批量大小会解决我的问题吗?

4

1 回答 1

10

很明显,这里的一个明显案例是.skip()用作修饰符.limit()以实现数据的“分页”:

    collection.find({}, { "limit": 5, "skip": 5 * req.body.requestCount  }, function 

但更好的是,如果您只是批量处理,只需过滤掉您已经看到的范围。该_id字段为此提供了一个很好的标识符,无需其他排序。所以在第一个请求中:

var lastSeen = null;
    collection.find(
        {}, 
        { "limit": 5, "sort": { "_id": 1}  },
        function(err,docs) {
           docs.forEach(function(doc) {
               // do something
               lastSeen = doc._id;        // keep the _id
           });
        }
    );

下一次将“lastSeen”存储在会话变量(或其他仅处理批处理的循环结构)中之后:

    collection.find(
        { "_id": { "$gt": lastSeen }, 
        { "limit": 5, "sort": { "_id": 1}  },
        function(err,docs) {
           docs.forEach(function(doc) {
               // do something
               lastSeen = doc._id;        // keep the _id
           });
        }
    );

因此,排除所有结果少于看到的最后一个_id值。

对于其他排序,这仍然是可能的,但您还需要注意最后一次_id看到的值和最后排序的值。自上次值更改以来,还将_id被视为列表。

    var lastSeenIds = [],
        lastSeenValue = null;    

    collection.find(
        {}, 
        { "limit": 5, "sort": { "other": 1, "_id": 1 }  },
        function(err,docs) {
           docs.forEach(function(doc) {
               // do something
               if ( lastSeenValue != doc.other ) {  // clear on change
                   lastSeenValue = doc.other;
                   lastSeenIds = [];
               }
               lastSeenIds.push(doc._id);     // keep a list
           });
        }
    );

然后在您的下一次迭代中使用变量:

    collection.find(
        { "_id": { "$nin": lastSeenIds }, "other": { "$gte": lastSeenValue } },
        { "limit": 5, "sort": { "other": 1, "_id": 1 }  },
        function(err,docs) {
           docs.forEach(function(doc) {
               // do something
               if ( lastSeenValue != doc.other ) {  // clear on change
                   lastSeenValue = doc.other;
                   lastSeenIds = [];
               }
               lastSeenIds.push(doc._id);     // keep a list
           });
        }
    );

这比“跳过”与基本查询条件匹配的结果要高效得多。

于 2015-08-05T08:24:45.587 回答