是否可以检索匹配查询的数组元素的位置?
例如,我有一个这样的文档集合:
{"_id":ObjectId("560122469431950bf55cb095"), "otherIds": [100, 103, 108, 104]}
我想获得这样的查询结果otherId->108:
{"_id":ObjectId("560122469431950bf55cb095"),"position":3}
有可能得到这样的东西吗?提前感谢!
你总是可以为此运行mapReduce并通过.indexOf()
匹配数组索引:
db.collection.mapReduce(
function() {
emit(this._id,{ "position": this.otherIds.indexOf(108) });
},
function() {},
{
"out": { "inline": 1 },
"query": { "otherIds": 108 }
}
)
或者对于可能的"多个"匹配,则使用.map()
和可选的"index"参数:
db.collection.mapReduce(
function() {
emit(this._id,{
"positions": this.otherIds.map(function(el,idx) {
return (el == 108) ? idx : -1;
}).filter(function(el) {
return el != -1;
})
});
},
function() {},
{
"out": { "inline": 1 },
"query": { "otherIds": 108 }
}
)
但是当然数组索引从0
开始,所以如果你期望结果是3
,那么你总是可以将1
添加到匹配的索引位置。
当然,在查询响应中简单地返回数组并在客户端代码中匹配匹配元素的位置是有争议的,除非您有特别大的数组,否则这样处理可能是最好的。
有一个$arrayElemAt
操作符目前放置在MongoDB的开发分支内,但不幸的是,这是另一种方式,而不是返回匹配元素的位置,它返回给定位置的元素。由于目前还没有确定当前数组位置或循环所有可能位置的方法,因此无法逆向工程在给定位置提供正匹配。
其他操作符,如$map
和即将到来的$filter
(也在开发分支中)应该有一个类似的选项作为系统变量,可以在这些命令(如JavaScript和其他语言等效)中访问。然后像$$IDX
(从其他系统变量如$$ROOT
的趋势)可用,然后你可以在.aggregate()
下做这个:
db.collection.aggregate([
{ "$match": { "otherIds": 108 } },
{ "$project": {
"position": {
"$filter": {
"input": {
"$map": {
"input": "$otherIds",
"as": "el",
"in": {
"$cond": [
{ "$eq": [ "$$el", 108 ] },
"$$IDX",
-1
]
}
}
},
"as": "el",
"cond": { "$ne": ["$$el", -1] }
}
}
}}
])
但是这还没有发生,虽然它会很高兴看到,似乎不是一个很难的问题,因为两者都有内部工作保持当前索引位置,所以它应该只是一个问题,暴露它作为一个可访问的变量使用