Mongodb,通过控制减少列表

时间:2016-03-09 08:00:27

标签: javascript node.js mongodb mongoose

我正在构建一个用于管理项目的应用程序。 项目如下所示:

{
  "_id": ObjectId("..."),
  "title": "MySuperProject",
  "files": [
    {
      "title":"My skiing day !",
      "right":[{
        "role":"USER",
        "access":["read"]
      }]
    },
    {
      "title":"My little dog, so cute !",
      "right":[{
        "role":"OTHER",
        "access":["read"]
      }]
    }
  ]
}

我们可以在此处看到两个不同的角色:USEROTHER

当我获得具有USER角色的上述项目时,我需要具有以下表示,而不包含OTHER文件:

{
  "_id": ObjectId("..."),
  "title": "MySuperProject",
  "files": [
    {
      "title":"My skiing day !",
      "right":{
        "role":"USER",
        "access":["read"]
      }
    }]
}

是否存在基于查询减少文档内部列表的方法,还是应该在结果上手动设置?

我正在处理nodejsmongoose

感谢您的帮助

编辑:实际上right密钥是ARRAY

1 个答案:

答案 0 :(得分:4)

这是$redact阶段的经典用例之一。您可以将其汇总如下:

var role = "USER";
var projectTitle = "MySuperProject";

db.t.aggregate([
  {
    $match: {
      "title":projectTitle
    }
  },
  {
    $redact: {
      $cond: [{
        $eq: [role, {
          $ifNull: ["$role", role]
        }]
      }, "$$DESCEND", "$$PRUNE"]
    }
  }
])

输出:

{
        "_id" : 1,
        "title" : "MySuperProject",
        "files" : [
                {
                        "title" : "My skiing day !",
                        "right" : [
                                {
                                        "role" : "USER",
                                        "access" : [
                                                "read"
                                        ]
                                }
                        ]
                },
                {
                        "title" : "My little dog, so cute !",
                        "right" : [ ]
                }
        ]
}

在每个级别,仅当特定级别的文档返回true $redact阶段提出的$cond时,才会评估文档,我们$$DESCEND进入其子级文件,否则$$PRUNE

它会列出每个项目的所有文件,以及每个文件的访问角色数组。如果您想要排除" user"没有权利,您可以再次$redact

db.t.aggregate([
  {
    $match: {
      "title": projectTitle
    }
  },
  {
    $redact: {
      $cond: [{
        $eq: [role, {
          $ifNull: ["$role", role]
        }]
      }, "$$DESCEND", "$$PRUNE"]
    }
  },
  {
    $redact: {
      $cond: [{
        $gt: [{
          $size: {
            $ifNull: ["$right", [1]]
          }
        }, 0]
      }, "$$DESCEND", "$$PRUNE"]
    }
  },
])

输出:

{
        "_id" : 1,
        "title" : "MySuperProject",
        "files" : [
                {
                        "title" : "My skiing day !",
                        "right" : [
                                {
                                        "role" : "USER",
                                        "access" : [
                                                "read"
                                        ]
                                }
                        ]
                }
        ]
}

上述方法避免了昂贵的$unwind阶段。总是建议采取不同的方法,看看哪一种最适合你。