我有这样的文档:
{
"_id" : ...
"args" : {
"pos" : [ <x>, <y> ],
...
}
}
我正在尝试使用以下聚合管道获取
db.main.aggregate([
{ '$match': {
"args.pos": { '$exists': true} }
},
{ '$project':
{
'x': "$args.pos.0",
'y': "$args.pos.1"
}
},
{ '$group':
{
'_id': 'pos',
'xmin': { '$min': '$x' },
'xmax': { '$max': '$x' },
'ymin': { '$min': '$y' },
'ymax': { '$max': '$y' },
'hits': { '$sum': 1 }
}
},
{ '$project': {
'hits': '$hits',
'xmin': '$xmin',
'xmax': '$xmax',
'ymin': '$ymin',
'ymax': '$ymax',
'_id': 0 }
}
])
我得到以下输出:
{
"result" : [
{
"xmin" : [ ],
"xmax" : [ ],
"ymin" : [ ],
"ymax" : [ ],
"hits" : 281
}
],
"ok" : 1
}
我已经尝试了各种不同的方法来访问
我认为问题是我无法进入阵列。我尝试了以下更简单的查询,也没有成功:
db.main.findOne({'function':'map'},{"arguments.pos":1})
{
"_id" : ObjectId("5110407a2c8bea0f0d0000ce"),
"arguments" : {
"pos" : [
-87.90774999999735,
42.11036897863933
]
}
}
db.main.findOne({'function':'map'},{"arguments.pos.0":1})
{
"_id" : ObjectId("5110407a2c8bea0f0d0000ce"),
"arguments" : {
"pos" : [ ]
}
}
db.main.findOne({'function':'map'},{"arguments.pos[0]":1})
{ "_id" : ObjectId("5110407a2c8bea0f0d0000ce"), "arguments" : { } }
如果这很重要,我正在运行 mongodb 2.2 的 mongo shell。
不能在投影中使用pos.0
语法。 在find
中,您可以改用 $slice
运算符,但这在 $project
中尚不允许。
但是,您可以通过另一种方式执行此操作;使用 $unwind
和另一个$group
提取x
和y
值:
db.main.aggregate([
{$match: {'args.pos': {$exists: true}}},
{$unwind: '$args.pos'},
{$group: {
_id: '$_id',
x: {$first: '$args.pos'},
y: {$last: '$args.pos'}
}},
{$group: {
_id: null,
xmin: {$min: '$x'},
xmax: {$max: '$x'},
ymin: {$min: '$y'},
ymax: {$max: '$y'},
hits: {$sum: 1}
}},
{$project: {_id: 0, xmin: 1, xmax: 1, ymin: 1, ymax: 1, hits: 1}}
])