0

我有一个相当大的 MongoDB 文档,其中包含各种数据。我需要识别集合中数组类型的字段,以便我可以从我将填充的网格中显示的字段中删除它们。

我的方法现在包括检索集合中的所有字段名称

这取自此处发布的响应MongoDB Get names of all keys in collection

mr = db.runCommand({
  "mapreduce" : "Product",
  "map" : function() {
    for (var key in this) { emit(key, null); }
  },
  "reduce" : function(key, stuff) { return null; }, 
  "out": "things" + "_keys"
})

db[mr.result].distinct("_id")

并为每个字段运行一个像这样的查询

db.Product.find( { $where : "Array.isArray(this.Orders)" } ).count()

如果检索到任何内容,则该字段被视为一个数组。

我不喜欢我需要运行 n+2 个查询(n 是我的集合中不同字段的数量)并且我不想对模型中的字段进行硬编码。它会破坏使用 MongoDB 的全部目的。

有没有更好的方法来做到这一点?

4

1 回答 1

0

我对您上面提供的代码做了一些细微的修改:

mr = db.runCommand({
  "mapreduce" : "Product",
  "map" : function() {
    for (var key in this) { 
       if (Array.isArray(this[key])) {
          emit(key, 1); 
       } else {
          emit(key, 0);
       }
    }
  },
  "reduce" : function(key, stuff) { return Array.sum(stuff); }, 
  "out": "Product" + "_keys"
})

现在,映射器将为包含数组的键发出 1,为任何不包含数组的键发出 0。reducer 会将这些总结起来,以便在您检查最终结果时:

db[mr.result].find()

您将看到您的字段名称以及其中包含数组值的文档数量(以及任何从不为数组的 0)。

因此,这应该会为您提供仅使用 map-reduce 作业的哪些字段包含 Array 类型。

--

只是用一些数据来查看它:

db.Product.insert({"a":[1,2,3], "c":[1,2]})
db.Product.insert({"a":1, "b":2})
db.Product.insert({"a":1, "c":[2,3]})

(现在运行上面的“mr =”代码)

db[mr.result].find()
{ "_id" : "_id", "value" : 0 }
{ "_id" : "a", "value" : 1 }
{ "_id" : "b", "value" : 0 }
{ "_id" : "c", "value" : 2 }
于 2013-03-22T00:42:28.003 回答