我正在使用express和mongoose构建REST API。我有以下架构:
var PostSchema= new Schema({
name: String,
_comments: [{ type: Schema.Types.ObjectId, ref: 'Comment'}]
});
var CommentSchema = new Schema({
text: String,
_post: { type: Schema.Types.ObjectId, ref: 'Post'}
});
我想在帖子中添加新评论:
/* POST a comment*/
router.post('/', function(req, res, next) {
var comment= new Comment(req.body);
comment.save(function (err, post) {
if (err) {
return next(err);
}
res.json(post);
});
});
它会使用以下数据保存评论:
{text: "bla", _post: *postId*}
但是,当我使用填充的评论检索我的帖子时:
/* GET post*/
router.get('/', function(req, res, next) {
Post.find().populate('_comments').exec(function (err, posts) {
if (err) return next(err);
res.json(posts);
});
});
comments数组为空。
所以我想当我在帖子中添加新评论时,我还需要将评论ID添加到post.comments数组并保存吗?有没有干净的方法呢?
答案 0 :(得分:1)
保存comment
后(在传递给comment.save
的回调中),将post._comments
添加到Post.update({ _id: comment._post }, { $addToSet: { _comments: comment._id } }, {}).exec();
。这样做可以避免重复。
{{1}}