정렬 수정 자에 대한 문서가 없습니다. 유일한 통찰력은 단위 테스트에 있습니다 : spec.lib.query.js # L12
writer.limit(5).sort(['test', 1]).group('name')
그러나 그것은 나를 위해 작동하지 않습니다 :
Post.find().sort(['updatedAt', 1]);
정렬 수정 자에 대한 문서가 없습니다. 유일한 통찰력은 단위 테스트에 있습니다 : spec.lib.query.js # L12
writer.limit(5).sort(['test', 1]).group('name')
그러나 그것은 나를 위해 작동하지 않습니다 :
Post.find().sort(['updatedAt', 1]);
답변:
몽구스에서는 다음과 같은 방법으로 정렬 할 수 있습니다.
Post.find({}).sort('test').exec(function(err, docs) { ... });
Post.find({}).sort([['date', -1]]).exec(function(err, docs) { ... });
Post.find({}).sort({test: 1}).exec(function(err, docs) { ... });
Post.find({}, null, {sort: {date: 1}}, function(err, docs) { ... });
{sort: [['date', 1]]}
작동하지 않지만 .sort([['date', -1]])
작동합니다. 이 답변 참조 : stackoverflow.com/a/15081087/404699
이것은 몽구스 2.3.0에서 작동하는 방법입니다. :)
// Find First 10 News Items
News.find({
deal_id:deal._id // Search Filters
},
['type','date_added'], // Columns to Return
{
skip:0, // Starting Row
limit:10, // Ending Row
sort:{
date_added: -1 //Sort by Date Added DESC
}
},
function(err,allNews){
socket.emit('news-load', allNews); // Do something with the array of 10 objects
})
Array
더 이상 필드 선택을위한 -이 있어야한다 String
또는Object
null
그 섹션 (적어도 3.8에서)을
몽구스 3.8.x 기준 :
model.find({ ... }).sort({ field : criteria}).exec(function(err, model){ ... });
어디:
criteria
할 수있다 asc
, desc
, ascending
, descending
, 1
, 또는-1
최신 정보:
Post.find().sort({'updatedAt': -1}).all((posts) => {
// do something with the array of posts
});
시험:
Post.find().sort([['updatedAt', 'descending']]).all((posts) => {
// do something with the array of posts
});
.sort("updatedAt", -1)
입니다.
.sort({updatedAt: -1})
또는 .sort('-updatedAt')
입니다.
exec(function (posts) {…
대신 사용해야 합니다all
all() must be used after where() when called with these arguments
... 몽구스 4.6.5에
몽구스 v5.4.3
오름차순으로 정렬
Post.find({}).sort('field').exec(function(err, docs) { ... });
Post.find({}).sort({ field: 'asc' }).exec(function(err, docs) { ... });
Post.find({}).sort({ field: 'ascending' }).exec(function(err, docs) { ... });
Post.find({}).sort({ field: 1 }).exec(function(err, docs) { ... });
Post.find({}, null, {sort: { field : 'asc' }}), function(err, docs) { ... });
Post.find({}, null, {sort: { field : 'ascending' }}), function(err, docs) { ... });
Post.find({}, null, {sort: { field : 1 }}), function(err, docs) { ... });
내림차순으로 정렬
Post.find({}).sort('-field').exec(function(err, docs) { ... });
Post.find({}).sort({ field: 'desc' }).exec(function(err, docs) { ... });
Post.find({}).sort({ field: 'descending' }).exec(function(err, docs) { ... });
Post.find({}).sort({ field: -1 }).exec(function(err, docs) { ... });
Post.find({}, null, {sort: { field : 'desc' }}), function(err, docs) { ... });
Post.find({}, null, {sort: { field : 'descending' }}), function(err, docs) { ... });
Post.find({}, null, {sort: { field : -1 }}), function(err, docs) { ... });
세부 사항 : https://mongoosejs.com/docs/api.html#query_Query-sort
최신 정보
이것이 혼란스러운 사람들이라면 더 나은 글이 있습니다. 몽구스 매뉴얼에서 문서 찾기 및 쿼리 작동 방식을 확인하십시오 . 유창한 API를 사용하려면 find()
메소드에 콜백을 제공하지 않고 쿼리 객체를 얻을 수 있습니다 . 그렇지 않으면 아래 개요와 같이 매개 변수를 지정할 수 있습니다.
실물
Modelmodel
의 문서에 따라 객체가 주어지면 다음 과 같이 작동합니다 2.4.1
.
Post.find({search-spec}, [return field array], {options}, callback)
는 search spec
객체를 기대한다, 그러나 당신은 통과 할 수 null
또는 빈 객체입니다.
두 번째 매개 변수는 문자열 배열 인 필드 목록이므로 ['field','field2']
or를 제공 null
합니다.
세 번째 매개 변수는 결과 집합을 정렬하는 기능을 포함하는 개체 옵션입니다. 당신이 사용하는 것이 { sort: { field: direction } }
어디 field
문자열 필드 이름입니다 test
(귀하의 경우) 및 direction
숫자입니다 1
오름차순입니다가와-1
desceding있다가.
마지막 매개 변수 ( callback
)는 쿼리에서 반환 한 문서 모음을받는 콜백 함수입니다.
Model.find()
(이 버전에서) 구현은 선택 PARAMS을 처리 할 수있는 속성의 슬라이딩 할당하지 (저를 혼동 무엇 인을!)
Model.find = function find (conditions, fields, options, callback) {
if ('function' == typeof conditions) {
callback = conditions;
conditions = {};
fields = null;
options = null;
} else if ('function' == typeof fields) {
callback = fields;
fields = null;
options = null;
} else if ('function' == typeof options) {
callback = options;
options = null;
}
var query = new Query(conditions, options).select(fields).bind(this, 'find');
if ('undefined' === typeof callback)
return query;
this._applyNamedScope(query);
return query.find(callback);
};
HTH
Mongoose 4의 쿼리 작성기 인터페이스를 사용한 연결
// Build up a query using chaining syntax. Since no callback is passed this will create an instance of Query.
var query = Person.
find({ occupation: /host/ }).
where('name.last').equals('Ghost'). // find each Person with a last name matching 'Ghost'
where('age').gt(17).lt(66).
where('likes').in(['vaporizing', 'talking']).
limit(10).
sort('-occupation'). // sort by occupation in decreasing order
select('name occupation'); // selecting the `name` and `occupation` fields
// Excute the query at a later time.
query.exec(function (err, person) {
if (err) return handleError(err);
console.log('%s %s is a %s.', person.name.first, person.name.last, person.occupation) // Space Ghost is a talk show host
})
쿼리에 대한 자세한 내용은 문서 를 참조하십시오 .
하나의 열 로만 정렬하려면 현재 버전의 mongoose (1.6.0)를 사용 하여 배열을 삭제하고 객체를 sort () 함수에 직접 전달해야합니다.
Content.find().sort('created', 'descending').execFind( ... );
이 권리를 얻으려면 약간의 시간이 걸렸습니다.
app.get('/getting',function(req,res){
Blog.find({}).limit(4).skip(2).sort({age:-1}).then((resu)=>{
res.send(resu);
console.log(resu)
// console.log(result)
})
})
산출
[ { _id: 5c2eec3b8d6e5c20ed2f040e, name: 'e', age: 5, __v: 0 },
{ _id: 5c2eec0c8d6e5c20ed2f040d, name: 'd', age: 4, __v: 0 },
{ _id: 5c2eec048d6e5c20ed2f040c, name: 'c', age: 3, __v: 0 },
{ _id: 5c2eebf48d6e5c20ed2f040b, name: 'b', age: 2, __v: 0 } ]
이것이 내가 정렬하고 채우는 방법입니다.
Model.find()
.sort('date', -1)
.populate('authors')
.exec(function(err, docs) {
// code here
})
이것이 내가 한 일입니다. 잘 작동합니다.
User.find({name:'Thava'}, null, {sort: { name : 1 }})
4.x부터 정렬 방법이 변경되었습니다. > 4.x를 사용하는 경우 다음 중 하나를 사용하십시오.
Post.find({}).sort('-date').exec(function(err, docs) { ... });
Post.find({}).sort({date: -1}).exec(function(err, docs) { ... });
Post.find({}).sort({date: 'desc'}).exec(function(err, docs) { ... });
Post.find({}).sort({date: 'descending'}).exec(function(err, docs) { ... });
Post.find({}).sort([['date', -1]]).exec(function(err, docs) { ... });
Post.find({}, null, {sort: '-date'}, function(err, docs) { ... });
Post.find({}, null, {sort: {date: -1}}, function(err, docs) { ... });