몽구스로 정렬하는 방법?


답변:


157

몽구스에서는 다음과 같은 방법으로 정렬 할 수 있습니다.

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) { ... });

5
이것은 프란시스코 프레 센시아가 연결 한 답변의 거의 사본입니다. 불행히도 가장 높은 투표 응답은 구식이며 불필요하게 길다.
iwein

2
이것은 현재로서는 정확하지 않습니다. {sort: [['date', 1]]}작동하지 않지만 .sort([['date', -1]])작동합니다. 이 답변 참조 : stackoverflow.com/a/15081087/404699
steampowered

@ steampowered 감사합니다, 내가 편집을 할 수 있습니다, 당신은 내가 잘못하면 알려주거나 편집하는 것을 환영합니다.
iwein

135

이것은 몽구스 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
})

7
몽구스 3에서 당신은 사용할 수 없습니다 Array더 이상 필드 선택을위한 -이 있어야한다 String또는Object
pkyeck

4
btw, 만약 당신이 모든 필드를 원한다면, 당신은 단지 null그 섹션 (적어도 3.8에서)을
끌어낼 수 있습니다

63

몽구스 3.8.x 기준 :

model.find({ ... }).sort({ field : criteria}).exec(function(err, model){ ... });

어디:

criteria할 수있다 asc, desc, ascending, descending, 1, 또는-1


52

최신 정보:

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
});

13
최신 몽구스 (2.4.10)에서는 .sort("updatedAt", -1)입니다.
Marcel Jackwerth

43
훨씬 더 최신 몽구스 (3.5.6-pre, 그러나 3.x 모두에 대해 유효하다고 확신합니다) .sort({updatedAt: -1})또는 .sort('-updatedAt')입니다.
Andreas Hultgren 2018

2
그렇다면 exec(function (posts) {…대신 사용해야 합니다all
Buzut

내가있어 all() must be used after where() when called with these arguments... 몽구스 4.6.5에
댐 빠에게

25

몽구스 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


23

최신 정보

이것이 혼란스러운 사람들이라면 더 나은 글이 있습니다. 몽구스 매뉴얼에서 문서 찾기쿼리 작동 방식을 확인하십시오 . 유창한 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


프로젝션 : 공백으로 구분 된 열 이름이 포함 된 문자열을 제공해야합니다.
매디

11

이것이 mongoose.js 2.0.4에서 작동하는 방법입니다.

var query = EmailModel.find({domain:"gmail.com"});
query.sort('priority', 1);
query.exec(function(error, docs){
  //...
});

10

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
})

쿼리에 대한 자세한 내용은 문서 를 참조하십시오 .


4

하나의 열 로만 정렬하려면 현재 버전의 mongoose (1.6.0)를 사용 하여 배열을 삭제하고 객체를 sort () 함수에 직접 전달해야합니다.

Content.find().sort('created', 'descending').execFind( ... );

이 권리를 얻으려면 약간의 시간이 걸렸습니다.


감사. 당신의 게시물이 나를 도왔습니다. 나도 이것에 직면했다.
user644745

4
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 } ]

3

이것이 내가 정렬하고 채우는 방법입니다.

Model.find()
.sort('date', -1)
.populate('authors')
.exec(function(err, docs) {
    // code here
})


2

다른 사람들이 나를 위해 일했지만이 작업을 수행했습니다.

  Tag.find().sort('name', 1).run(onComplete);

2
Post.find().sort({updatedAt:1}).exec(function (err, posts){
...
});


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) { ... });

0
Post.find().sort('updatedAt').exec((err, post) => {...});

1
커뮤니티에 오신 것을 환영합니다. 대답이 해결책을 제공 할 수 있지만 좋은 대답을하려면 약간의 설명이 필요합니다. 친절하게 참고 문헌과 적절한 설명을 추가하십시오.
Panda
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.