0

我希望根据匹配的字段对结果进行排序。鉴于我有一个包含这样的文档的集合:

{
   "foo": "orange",
   "bar": "apple",
   "baz": "pear",
}

{
   "foo": "kiwi",
   "bar": "orange",
   "baz": "banana",
}

如何按匹配的字段对 foo、bar 或 baz 中匹配“橙色”的文档的结果进行排序,即在字段 foo 上匹配的所有文档都应出现在结果中,在字段 bar 等文档之前?

谢谢!

4

2 回答 2

1

您需要按以下顺序列出的文档:

  • 其中 foo = "橙色"
  • 其中bar =“橙色”
  • 其中baz =“橙色”

这不能用单个 find().sort() 命令来完成,因为没有办法按字段的键(名称)排序,只能按其内容。

但是,使用聚合()是可能的:

> db.xx.find()
{ "_id" : 1, "bar" : "apple", "baz" : "pear", "foo" : "orange" }
{ "_id" : 2, "foo" : "banana", "bar" : "apple", "baz" : "orange" }
{ "_id" : 3, "foo" : "banana", "bar" : "orange", "baz" : "pear" }
{ "_id" : 4, "foo" : "banana", "bar" : "apple", "baz" : "pear" }
{ "_id" : 5, "foo" : "orange", "bar" : "apple", "baz" : "pear" }
>     db.xx.aggregate([
...         { $match: { $or: [ { foo: "orange" }, { bar: "orange" }, { baz: "orange" } ] } },
...         { $project: { "_id": 1,
...                       "which": { "$cond": [{ "$eq": [ "$foo", "orange" ]}, "01foo", 
...                                { "$cond": [{ "$eq": [ "$bar", "orange" ]}, "02bar", "03baz" ] }
...                       ] }
...         } },
...         { $group: { _id: { which: "$which", _id: "$_id" } } },        
...         { $sort: { "_id.which": 1, "_id._id": 1 } },
...         { $project: { which: { $substr: ["$_id.which", 2, -1] }, _id: "$_id._id" } },        
...     ]);
{
    "result" : [
        {
            "_id" : 1,
            "which" : "foo"
        },
        {
            "_id" : 5,
            "which" : "foo"
        },
        {
            "_id" : 3,
            "which" : "bar"
        },
        {
            "_id" : 2,
            "which" : "baz"
        }
    ],
    "ok" : 1
}

你是对的,如果你认为聚合太复杂了。如果您的数据以不同的方式组织起来会更容易,例如

{ type: "foo", value: "orange" }

并具有可排序的类型名称-例如“ba1”、“ba2”、“ba3”而不是“foo”、“bar”、“baz”

有关聚合的更多信息,请参阅http://docs.mongodb.org/manual/reference/aggregationhttp://docs.mongodb.org/manual/tutorial/aggregation-examples/

于 2013-04-02T04:16:10.143 回答
0

试试下面的查询:

 db.test.find({$or:[{'foo':"orange"},{'bar':"orange"}]}).sort({'foo':-1,'bar':-1})
于 2013-03-08T09:33:49.030 回答