myModel.find({}, function(err, items) { console.log(items.length); // Big number });
How can I limit the returned items to only the latest 10 items that were inserted?
像这样,使用. limit () :
var q = models.Post.find({published: true}).sort('date', -1).limit(20); q.execFind(function(err, posts) { // `posts` will be of length 20 });
在最新的 monose (编写本文时为3.8.1)中,您需要做两件不同的事情: (1)必须将单个参数传递给 sort () ,这必须是一个约束数组,或者只有一个约束; (2) ExecFind ()消失了,取而代之的是 exec ()。因此,对于猫鼬3.8.1,你可以这样做:
var q = models.Post.find({published: true}).sort({'date': -1}).limit(20); q.exec(function(err, posts) { // `posts` will be of length 20 });
或者你可以像这样简单地把它们连在一起:
models.Post .find({published: true}) .sort({'date': -1}) .limit(20) .exec(function(err, posts) { // `posts` will be of length 20 });
由于某些原因,我无法使用这个方法来处理提出的答案,但是我发现了另一个变体,使用 select,对我来说很有效:
models.Post.find().sort('-date').limit(10).select('published').exec(function(e, data){ ... });
API 可能已经改变了吗? 我使用的是3.8.19版本
models.Post.find({published: true}, {sort: {'date': -1}, limit: 20}, function(err, posts) { // `posts` with sorted length of 20 });
... 另外要确保使用:
mongoose.Promise = Promise;
这就把猫鼬的承诺变成了本地 ES6的承诺。如果没有这一点,我得到了:
不推荐使用 Mongoose: m晃动(monose 的默认承诺库) ,改为插入您自己的承诺库: http://mongoosejs.com/docs/promises.html
我有点懒,所以我喜欢简单的东西:
let users = await Users.find({}, null, {limit: 50});
找到参数
Find 函数的参数如下:
«Object»
«Object|String»
«Function»
如何限制
const Post = require('./models/Post'); Post.find( { published: true }, null, { sort: { 'date': 'asc' }, limit: 20 }, function(error, posts) { if (error) return `${error} while finding from post collection`; return posts; // posts with sorted length of 20 } );
额外信息
Mongoose 允许您以不同的方式查询您的集合,比如: 正式文件
// named john and at least 18 MyModel.find({ name: 'john', age: { $gte: 18 }}); // executes, passing results to callback MyModel.find({ name: 'john', age: { $gte: 18 }}, function (err, docs) {}); // executes, name LIKE john and only selecting the "name" and "friends" fields MyModel.find({ name: /john/i }, 'name friends', function (err, docs) { }) // passing options MyModel.find({ name: /john/i }, null, { skip: 10 }) // passing options and executes MyModel.find({ name: /john/i }, null, { skip: 10 }, function (err, docs) {}); // executing a query explicitly var query = MyModel.find({ name: /john/i }, null, { skip: 10 }) query.exec(function (err, docs) {}); // using the promise returned from executing a query var query = MyModel.find({ name: /john/i }, null, { skip: 10 }); var promise = query.exec(); promise.addBack(function (err, docs) {});