据我所知,在Sails.js / Waterline中没有内置的方式来填充深层嵌套关联,所以我试图使用bluebird promises来实现它,但我遇到了问题。
我正在成功检索用户,以及与之关联的所有帖子(填充了图像集合)(console.log向我显示所有内容都已正确填充)。但是,当我覆盖用户的属性“post”并尝试分配之前检索的完全填充的帖子时,它不能正确填充Post.js的images属性。就像ORM阻止手动分配Post.js的图像一样。
我做错了什么?填充深层嵌套的一对多关联的最佳方法是什么?
Bellow我已经粘贴了我正在执行的所有代码......
// Populate nested association
nested: function (req, res, next){
var username = req.param("id");
User
.findOneByUsername(username)
.populateAll()
.then(function (user){
var posts = Post.find({
"user": user.id
})
.populate('images')
.populate('category')
.then(function (posts){
return posts;
});
return [user, posts];
})
.spread(function (user, posts){
user.posts = posts; // This won't work.... It assigns all the fields properly but the images collection attribute
res.json(user);
}).catch(function (err){
if (err) return res.serverError(err);
});
}
// --- User.js Model --- //
module.exports = {
attributes: {
.....,
posts: {
collection: "post",
via: "user"
},
.....
}
}
// --- Post.js Model --- //
module.exports = {
attributes: {
....,
user: {
model: "user"
},
images: {
collection: "postImage",
via: "post"
},
....
}
}
// --- PostImage.js Model --- //
module.exports = {
attributes: {
....,
post: {
model: "post"
}
},
}
此致
SávioLucena
答案 0 :(得分:11)
这可能是一个老问题,但最好有答案,所以sails.js用户可以从中受益。
你的问题是,当sails返回记录时(在数组内),该记录中与关联对应的键实际上是 getters / setters ,而且似乎setter确实不允许你想要的东西。您可以使用Object.getOwnPropertyDescriptor(user, 'posts')
进行确认。
因此,为了能够根据需要覆盖该属性,您需要做的是在其上调用.toObject
,(或通过_.clone
克隆其属性或手动循环但是您将得到一个很多垃圾,所以坚持.toObject
),无论如何你得到一个具有你需要的属性的新对象,现在你修改它的方式没有限制。
所以你的代码看起来像这样:
User
.findOneByUsername(username)
.populateAll()
.then(function (user){
var posts = Post.find({
"user": user.id
})
.populate('images')
.populate('category')
.then(function (posts){
return posts;
});
return [user, posts];
})
.spread(function (user, posts){
user = user.toObject() // <- HERE IS THE CHANGE!
user.posts = posts; // It will work now
res.json(user);
}).catch(function (err){
if (err) return res.serverError(err);
});
}
答案 1 :(得分:0)
您必须覆盖user.posts数组中的每个post id对象。有关详细信息,请查看此答案https://stackoverflow.com/a/26452990/4261327。