我有一个模式:
const LinkSchema = new mongoose.Schema({
name: { type: String },
style: { default: "icon", type: String },
});
并且mongoDB中已有一个文档,其中可能包含许多旧字段。
{
"name": "abcLink",
"oldThing1": true,
"oldThing2": "oeunth",
....
"oldThing100": "hi",
}
我希望link.findOne({ name: "abcLink" })
返回
{
"name": "abcLink",
"style": "icon"
}
我现在知道
{
"name": "abcLink",
"oldThing": true,
"style": "icon"
}
如何进行strict
读取以获取过滤后的对象,其中未返回架构中未定义的任何字段?
因为我们有30多个活动字段和许多非活动字段,所以重要的一点是,我们必须定义一次架构,然后自动过滤结果。我们不想在多个地方重复有效或无效字段。注意:在架构上使用类似Object.keys
的函数来获取有效字段的数组,并使用该函数进行过滤是完全可以接受的。
答案 0 :(得分:1)
您可以使用这样的转换函数来覆盖toJSON
方法,以使该模式中没有任何字段。
const mongoose = require("mongoose");
const LinkSchema = new mongoose.Schema({
name: { type: String },
style: { default: "icon", type: String }
});
var schemaFields = Object.keys(LinkSchema.paths);
LinkSchema.set("toJSON", {
transform: function(doc, ret, options) {
let result = {};
Object.keys(ret).map(key => {
if (schemaFields.includes(key)) {
result[key] = ret[key];
}
});
return result;
}
});
module.exports = mongoose.model("Link", LinkSchema);
更新为注释中提到的@Loren,对于嵌套对象,我们可以使用Object.keys(LinkSchema.tree)
代替Object.keys(LinkSchema.paths)
。