このようなサブドキュメントに配列があります
{
"_id" : ObjectId("512e28984815cbfcb21646a7"),
"list" : [
{
"a" : 1
},
{
"a" : 2
},
{
"a" : 3
},
{
"a" : 4
},
{
"a" : 5
}
]
}
サブドキュメントを3以上フィルタリングできますか
以下の私の期待する結果
{
"_id" : ObjectId("512e28984815cbfcb21646a7"),
"list" : [
{
"a" : 4
},
{
"a" : 5
}
]
}
$elemMatch
を使用しようとしましたが、配列内で最初に一致した要素を返します
私のクエリ:
db.test.find( { _id" : ObjectId("512e28984815cbfcb21646a7") }, {
list: {
$elemMatch:
{ a: { $gt:3 }
}
}
} )
結果は配列の1つの要素を返します
{ "_id" : ObjectId("512e28984815cbfcb21646a7"), "list" : [ { "a" : 4 } ] }
$match
で集約を使用しようとしましたが、動作しません
db.test.aggregate({$match:{_id:ObjectId("512e28984815cbfcb21646a7"), 'list.a':{$gte:5} }})
配列内のすべての要素を返します
{
"_id" : ObjectId("512e28984815cbfcb21646a7"),
"list" : [
{
"a" : 1
},
{
"a" : 2
},
{
"a" : 3
},
{
"a" : 4
},
{
"a" : 5
}
]
}
配列内の要素をフィルター処理して、期待どおりの結果を取得できますか?
aggregate
を使用するのが正しいアプローチですが、個々の要素をフィルター処理してから$unwind
を使用して元に戻すには、$match
を適用する前にlist
配列を$group
する必要があります。
db.test.aggregate([
{ $match: {_id: ObjectId("512e28984815cbfcb21646a7")}},
{ $unwind: '$list'},
{ $match: {'list.a': {$gt: 3}}},
{ $group: {_id: '$_id', list: {$Push: '$list.a'}}}
])
出力:
{
"result": [
{
"_id": ObjectId("512e28984815cbfcb21646a7"),
"list": [
4,
5
]
}
],
"ok": 1
}
MongoDB 3.2アップデート
3.2リリース以降、新しい $filter
集計演算子を使用して、$project
の間に必要なlist
要素のみを含めることで、これをより効率的に行うことができます。
db.test.aggregate([
{ $match: {_id: ObjectId("512e28984815cbfcb21646a7")}},
{ $project: {
list: {$filter: {
input: '$list',
as: 'item',
cond: {$gt: ['$$item.a', 3]}
}}
}}
])
上記のソリューションは、複数の一致するサブ文書が必要な場合に最適です。 $ elemMatch は、単一の一致するサブ文書が出力として必要な場合にも非常に使用されます
db.test.find({list: {$elemMatch: {a: 1}}}, {'list.$': 1})
結果:
{
"_id": ObjectId("..."),
"list": [{a: 1}]
}
$ filter集計 を使用します
指定された条件に基づいて返す配列のサブセットを選択します。条件に一致する要素のみを含む配列を返します。返される要素は元の順序です。
db.test.aggregate([
{$match: {"list.a": {$gt:3}}}, // <-- match only the document which have a matching element
{$project: {
list: {$filter: {
input: "$list",
as: "list",
cond: {$gt: ["$$list.a", 3]} //<-- filter sub-array based on condition
}}
}}
]);