如何通过MongoDB文档中的字段对数组进行排序

时间:2015-06-25 11:00:33

标签: javascript mongodb mongoose mongodb-query

我有一个名为question

的文件
var QuestionSchema = new Schema({
    title: {
        type: String,
        default: '',
        trim: true
    },
    body: {
        type: String,
        default: '',
        trim: true
    },
    user: {
        type: Schema.ObjectId,
        ref: 'User'
    },
    category: [],
    comments: [{
        body: {
            type: String,
            default: ''
        },
        root: {
            type: String,
            default: ''
        },
        user: {
            type: Schema.Types.ObjectId,
            ref: 'User'
        },
        createdAt: {
            type: Date,
            default: Date.now
        }
    }],
    tags: {
        type: [],
        get: getTags,
        set: setTags
    },
    image: {
        cdnUri: String,
        files: []
    },
    createdAt: {
        type: Date,
        default: Date.now
    }
});

因此,我需要按照根字段对comments进行排序,就像这样 example

我尝试在后端手动对comments数组进行排序,并尝试使用聚合,但我无法对此进行排序。请帮助。

1 个答案:

答案 0 :(得分:3)

假设Question是您代码中的模型对象,当然您希望通过" date"对您的"评论进行排序。从createdAt然后使用.aggregate(),您将使用此:

Question.aggregate([
    // Ideally match the document you want
    { "$match": { "_id": docId } },

    // Unwind the array contents
    { "$unwind": "comments" },

    // Then sort on the array contents per document
    { "$sort": { "_id": 1, "comments.createdAt": 1 } },

    // Then group back the structure
    { "$group": {
        "_id": "$_id",
        "title": { "$first": "$title" },
        "body": { "$first": "$body" },
        "user": { "$first": "$user" },
        "comments": { "$push": "$comments" },
        "tags": { "$first": "$tags" },
        "image": { "$first": "$image" },
        "createdAt": { "$first": "$createdAt" }
    }}
],
function(err,results) {
    // do something with sorted results
});

但这真的有点过分,因为你不是"聚合"文件之间。只需使用JavaScript方法即可。例如.sort()

Quesion.findOneById(docId,function(err,doc) {
    if (err) throw (err);
    var mydoc = doc.toObject();
    mydoc.questions = mydoc.questions.sort(function(a,b) {
        return a.createdAt > b.createdAt;
    });
   console.log( JSON.stringify( doc, undefined, 2 ) ); // Intented nicely
});

因此,虽然MongoDB确实拥有"工具"要在服务器上执行此操作,在检索数据时在客户端代码中执行此操作最有意义,除非您确实需要"聚合"跨文件。

但现在已经给出了两个示例用法。