假设这样的集合:
{
movie : 1,
List : [ 1 , 2 ,5 , 6 ]
},
{
movie : 2,
List : [ 3, 5, 7 ]
},
{
movie : 3,
List : [ 1, 3, 6 ]
}
我希望在“列表”中获取“电影”所有的所有文档.
如何编写查询或聚合?
最佳答案 理想的形式是本机操作符使用.aggregate()和
$redact
:
db.collection.aggregate([
{ "$redact": {
"$cond": {
"if": {
"$setIsSubset": [
{ "$map": { "input": ["A"], "as": "el", "in": "$movie" } },
"$List"
]
},
"then": "$$KEEP",
"else": "$$PRUNE"
}
}}
])
或者,如果您的MongoDB版本中没有$redact
,请使用$where查询条件:
db.collection.find(function() {
return this.List.indexOf(this.movie) != 1
})
两者都有基本方法来查找文档中数组字段中存在的一个字段的值.
你可以使用$redact有几种不同的形式,比如这个$anyElementTrue
调用:
db.collection.aggregate([
{ "$redact": {
"$cond": {
"if": {
"$anyElementTrue": {
"$map": {
"input": "$List",
"as": "el",
"in": { "$eq": [ "$$el", "$movie" ] }
}
}
},
"then": "$$KEEP",
"else": "$$PRUNE"
}
}}
])
与MongoDB 3.2的原始语法一样短:
db.collection.aggregate([
{ "$redact": {
"$cond": {
"if": {
"$setIsSubset": [
["$movie"],
"$List"
]
},
"then": "$$KEEP",
"else": "$$PRUNE"
}
}}
])
正如使用$map
最初的[“$movie”]使单个元素成为使用$setIsSubset
进行比较的数组/集合.在后一种情况下,$map
只是将一个条件应用于数组的每个元素以返回一个真/假值的数组,然后在$anyElementTrue
之前减少到逻辑单个真/假.