考虑这个架构:
let userSchema = new mongoose.Schema({
id: String,
displayName: String,
displayImage: String,
posts: [
{
url: String,
description: String,
likes: [String],
comments: [
{ content: String, date: String, author: { id: String, displayName: String, displayImage: String } }
]
}
]
});
我可以使用此查询从评论数组中删除某个项目
controller.deleteComment = (req, res, next) => {
User.findOneAndUpdate(
{ id: req.query.userid, 'posts._id': req.params.postid, },
{
$pull: {
'posts.$.comments': { _id: req.body.commentID },
}
}
)
.exec()
.then(() => {
res.send('deleted');
})
.catch(next);
};
我是否可以使用$set
运算符更新注释数组中的元素?我需要根据评论ID改变评论的内容..这样的事情:
controller.editComment = (req, res, next) => {
User.findOneAndUpdate(
{ id: req.query.userid, 'posts._id': req.params.postid, 'comments._id':req.body.commentID },
{
$set: {
'posts.$.comments': { content: req.body.edited },
}
}
)
.exec()
.then(() => {
res.send('deleted');
})
.catch(next);
};
这显然不起作用,但我想知道是否有办法可以做到这一点?
更新
根据以下建议,我正在执行以下操作以仅管理一个架构。这是有效的,但只有第一篇帖子的评论得到更新,无论我正在编辑哪些帖子评论。我已经检查过,返回文档总是正确的。 doc.save()
方法一定存在问题。
controller.editComment = (req, res, next) => {
User.findOne(
{ id: req.query.userid, 'posts._id': req.params.postid },
{ 'posts.$.comments._id': req.body.commentID }
)
.exec()
.then((doc) => {
let thisComment = doc.posts[0].comments.filter((comment) => { return comment._id == req.body.commentID; });
thisComment[0].content = req.body.edited;
doc.save((err) => { if (err) throw err; });
res.send('edited');
})
.catch(next);
};
答案 0 :(得分:2)
我不知道一种简单的(甚至是强硬的:P)方式来实现想要做的事情。在mongo中,在双嵌套数组中操作相对较难,因此最好避免。
如果您仍然对架构更改持开放态度,我建议您为注释创建不同的架构,并在用户架构中引用该架构。
因此,您的评论架构将如下所示:
let commentSchema = new mongoose.Schema({
content: String,
date: String,
author: {
id: String,
displayName: String,
displayImage: String
}
});
您的用户架构应如下所示:
let userSchema = new mongoose.Schema({
id: String,
displayName: String,
displayImage: String,
posts: [{
url: String,
description: String,
likes: [String],
comments: [{
type: Schema.Types.ObjectId,
ref: 'comment' //reference to comment schema
}]
}]
});
这样,您的数据操作将变得更加容易。获取用户文档时,您可以populate发表评论。并且,请注意更新/删除操作是多么容易,因为您已经知道要更新的注释的_id。
希望您觉得这个答案有用!
答案 1 :(得分:-3)
controller.editComment = (req, res, next) => {
User.findOneAndUpdate(
{ id: req.query.userid, 'posts._id': req.params.postid, 'comments._id':req.body.commentID },
{
$push: {
'posts.$.comments': { content: req.body.edited },
}
}
)
.exec()
.then(() => {
res.send('deleted');
})
.catch(next);
};