我有一个问题需要从集合中查找和获取数据。这是我的收集数据
/* 1 */
{
"_id" : 1,
"name" : "sue",
"age" : 19,
"type" : 1,
"points" : {
"A" : {
"type" : "label",
"values" : "abc"
},
"B" : {
"mandatory" : false,
"type" : "text"
},
"C" : {
"mandatory" : false,
"type" : "text"
}
}
}
/* 2 */
{
"_id" : 2,
"name" : "bob",
"age" : 42,
"type" : 1,
"points" : {
"B" : {
"type" : "label",
"values" : ""
},
"C" : {
"mandatory" : false,
"type" : "text"
}
}
}
/* 3 */
{
"_id" : 3,
"name" : "ahn",
"age" : 22,
"type" : 2,
"points" : {
"A" : {
"type" : "label",
"values" : "abc"
},
"C" : {
"mandatory" : false,
"type" : "text"
}
}
}
/* 4 */
{
"_id" : 4,
"name" : "xi",
"age" : 34,
"type" : 2,
"points" : {
"A" : {
"type" : "label",
"allowedValues" : "abc"
},
"C" : {
"mandatory" : false,
"type" : "text"
}
}
}
/* 5 */
{
"_id" : 5,
"name" : "xyz",
"age" : 23,
"type" : 2,
"points" : {
"B" : {
"mandatory" : false,
"type" : "text"
},
"C" : {
"values" : "C",
"type" : "text"
}
}
}
/* 6 */
{
"_id" : 6,
"name" : "abc",
"age" : 43,
"type" : 1,
"points" : {
"A" : {
"type" : "label",
"values" : "abc"
},
"B" : {
"mandatory" : false,
"type" : "text"
}
}
}
我希望所有来自字段"type"="label"
的{{1}}和"values"=""
的文档。
如何使用"points"
中的find()
来实现此列表?有没有人对此有所了解?
答案 0 :(得分:0)
与当前设计一样,您需要一种机制来获取集合中所有动态键的列表,例如var dynamic_keys = ["A", "B", "C"]
,解析此列表以创建 $or
查询,如果应用于上面的最终查询应该基本上看起来像
db.collection.find({
"$or": [
{ "points.A.type": "label", "points.A.values": "" },
{ "points.B.type": "label", "points.B.values": "" },
{ "points.C.type": "label", "points.C.values": "" }
]
})
获取动态密钥列表的第一个操作只能通过Map-Reduce进行。
在mongo shell中运行以下mapreduce操作将填充一个名为temp_collection_keys
的单独临时集合,其中所有动态键都为_id
值:
mr = db.runCommand({
"mapreduce": "collection",
"map": function() {
for (var key in this.points) { emit(key, null); }
},
"reduce": function() { },
"out": "temp_collection_keys"
})
要获取所有动态键的列表,请在生成的集合上运行distinct:
db[mr.result].distinct("_id")
["A", "B", "C"]
现在给出上面的列表,您可以通过创建一个将在循环中设置其属性的对象来组装您的查询。通常,您的 $or
文档将具有以下结构:
var orQuery = {
"$or": [
{ "points.A.type": "label", "points.A.values": "" },
{ "points.B.type": "label", "points.B.values": "" },
{ "points.C.type": "label", "points.C.values": "" }
]
};
因此,使用上面的子文档键列表,您可以使用本机JavaScript的 map()
方法动态构建上面的$或数组: {{3}} 方法应用于不同的数组结果:
var mr = db.runCommand({
"mapreduce": "collection",
"map": function() {
for (var key in this.points) { emit(key, null); }
},
"reduce": function() { },
"out": "temp_collection_keys"
});
var orArray = db[mr.result].distinct("_id").map(function (key){
var obj = { };
obj["points."+key+".type"] = "label";
obj["points."+key+".values"] = "";
return obj;
});
db.collection.find({ "$or": orArray });
示例输出
{
"_id" : 2,
"name" : "bob",
"age" : 42,
"type" : 1,
"points" : {
"B" : {
"type" : "label",
"values" : ""
},
"C" : {
"mandatory" : false,
"type" : "text"
}
}
}