回答:
最新のマングース(執筆時点では3.8.1)では、次の2つのことを行います。(1)単一の引数をsort()に渡す必要があります。これは、制約の配列または1つの制約でなければなりません。 )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
});
このように、.limit()を使用します。
var q = models.Post.find({published: true}).sort('date', -1).limit(20);
q.execFind(function(err, posts) {
// `posts` will be of length 20
});
models.Post.find({published: true}, {sort: {'date': -1}, limit: 20}, function(err, posts) {
// `posts` with sorted length of 20
});
パラメータを見つける
関数findが取るパラメータは次のとおりです。
«Object»
。«Object|String»
返すオプションのフィールド。Query.prototype.select()を参照してください«Object»
オプション。Query.prototype.setOptions()を参照«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) {});