我是MongoDB的新手,并试图找到一种可以屏蔽字段以保护隐私的方法。在MongoDB 3.4中尝试了只读视图
我有以下收藏,
db.employees.find().pretty()
{
"_id" : ObjectId("59802d45d2f4250001ead835"),
"name" : "Nick",
"mobile" : "927 113 4566"
},
{
"_id" : ObjectId("59802d45d2f4250001ead835"),
"name" : "Sam",
"mobile" : "817 133 4566"
}
创建了一个只读视图:
db.createView("employeeView", "employees", [ {$project : { "mobile": 1} } ] )
db.employeeView.find()
{ "_id" : ObjectId("59802d45d2f4250001ead835"), "mobile" : "927 113 4566"}
{ "_id" : ObjectId("59802d45d2f4250001ead835"), "mobile" : "817 133 4566"}
但我没有找到掩盖手机' employeeView中的字段,但提到我们可以在MongoDB GDPR白皮书中掩盖
https://www.mongodb.com/collateral/gdpr-impact-to-your-data-management-landscape
有任何建议要这样做。
答案 0 :(得分:0)
根据您的使用情况,有几种方法可以“屏蔽”mobile
字段值。视图是基于MongoDB Aggregation Pipeline构建的,您可以根据需要使用它。
例如,您只需使用$project隐藏mobile
字段即可。
即给出这些文件:
{"_id": ObjectId(".."), "name": "Nick", "mobile": "927 113 4566"}
{"_id": ObjectId(".."), "name": "Sam", "mobile": "817 133 4566"}
您可以在视图中排除mobile
字段:
> db.createView("empView", "employees", [{"$project":{name:1}}])
> db.empView.find()
{"_id": ObjectId(".."), "name": "Nick"}
{"_id": ObjectId(".."),"name": "Sam"}
或许你的文件中有一个额外的字段来表明信息是否公开,即给定文件:
{"_id": ObjectId(".."), "name": "Nick", "mobile": "927 113 4566", "show": true}
{"_id": ObjectId(".."), "name": "Sam", "mobile": "817 133 4566", "show": false}
您可以根据字段show
使用$cond表达式进行屏蔽。例如:
> db.createView("empView", "employees",
[{$project:{
name:1,
mobile:{$cond:{
if:{$eq:["$show", false]},
then: "xxx xxx xxxx",
else: "$mobile"}}
}}])
> db.empView.find()
{"_id": ObjectId(".."), "name": "Nick", "mobile": "927 113 4566"}
{"_id": ObjectId(".."), "name": "Sam", "mobile": "xxx xxx xxxx"}