我已经找了一段时间了,似乎无法对内部数组进行排序并将其保存在我当前使用的文档中。
{
"service": {
"apps": {
"updates": [
{
"n" : 1
"date": ISODate("2012-03-10T16:15:00Z")
},
{
"n" : 2
"date": ISODate("2012-01-10T16:15:00Z")
},
{
"n" : 5
"date": ISODate("2012-07-10T16:15:00Z")
}
]
}
}
}
因此,我想保留作为服务返回的项目,但对更新数组进行排序。到目前为止,我的外壳:
db.servers.aggregate(
{$unwind:'$service'},
{$project:{'service.apps':1}},
{$unwind:'$service.apps'},
{$project: {'service.apps.updates':1}},
{$sort:{'service.apps.updates.date':1}});
有人认为他们能帮上忙吗?
您可以通过$unwind
对updates
数组进行排序,按date
对结果文档进行排序,然后$group
使用排序顺序在_id
上将它们重新组合在一起来完成此操作。
db.servers.aggregate(
{$unwind: '$service.apps.updates'},
{$sort: {'service.apps.updates.date': 1}},
{$group: {_id: '$_id', 'updates': {$push: '$service.apps.updates'}}},
{$project: {'service.apps.updates': '$updates'}})
从Mongo 4.4
开始,$function
聚合运算符允许应用自定义javascript函数来实现MongoDB查询语言不支持的行为。
例如,为了按对象的某个字段对对象数组进行排序:
// {
// "service" : { "apps" : { "updates" : [
// { "n" : 1, "date" : ISODate("2012-03-10T16:15:00Z") },
// { "n" : 2, "date" : ISODate("2012-01-10T16:15:00Z") },
// { "n" : 5, "date" : ISODate("2012-07-10T16:15:00Z") }
// ]}}
// }
db.collection.aggregate(
{ $set: {
{ "service.apps.updates":
{ $function: {
body: function(updates) {
updates.sort((a, b) => a.date - b.date);
return updates;
},
args: ["$service.apps.updates"],
lang: "js"
}}
}
}
)
// {
// "service" : { "apps" : { "updates" : [
// { "n" : 2, "date" : ISODate("2012-01-10T16:15:00Z") },
// { "n" : 1, "date" : ISODate("2012-03-10T16:15:00Z") },
// { "n" : 5, "date" : ISODate("2012-07-10T16:15:00Z") }
// ]}}
// }
这修改了阵列的位置,而不必应用昂贵的$unwind
、$sort
和$group
级的组合。
$function
取3个参数:
body
,它是要应用的函数,其参数是要修改的数组args
,其中包含body
函数作为参数的记录中的字段。在我们的案例中"$service.apps.updates"
lang
,它是编写body
函数的语言。当前只有js
可用
从Mongo 5.2
开始,这就是新的$sortArray
聚合运算符的确切用例:
// {
// service: { apps: { updates: [
// { n: 1, date: ISODate("2012-03-10") },
// { n: 2, date: ISODate("2012-01-10") },
// { n: 5, date: ISODate("2012-07-10") }
// ]}}
// }
db.collection.aggregate([
{ $set: {
"service.apps.updates": {
$sortArray: {
input: "$service.apps.updates",
sortBy: { date: 1 }
}
}
}}
])
// {
// service: { apps: { updates: [
// { n: 2, date: ISODate("2012-01-10") },
// { n: 1, date: ISODate("2012-03-10") },
// { n: 5, date: ISODate("2012-07-10") }
// ]}}
// }
此:
- 对(
$sortArray
(service.apps.updates
阵列(input: "$service.apps.updates"
(进行排序 - 通过对
date
s(sortBy: { date: 1 }
(应用排序 - 而不必应用昂贵的
$unwind
、$sort
和$group
级的组合