我有一个带有模式的模型:
schema = new Schema({
name: String,
sections: [{
name: String,
columns: [{
name: String
}]
}]
}];
//Lets call the model a Page
为简单起见,我检索整个模型:
app.get('/page/:name', function(req, res){
Page.findOne( {name: req.params.name}, function(err, page){
//error handling
res.send page
});
});
通过请求 GET /page/myPage 我收到:
{
//_id, __v, etc..
name: 'myPage',
sections: [{
name: 'Section 1',
columns [{
name: 'My #1 Column'
}]
}]
}
我将第 0 列名称更改为 My #1 Column FOOBAR!在客户端
{
//_id, __v, etc..
name: 'myPage',
sections: [{
name: 'Section 1',
columns [{
name: 'My #1 Column FOOBAR!'
}]
}]
}
另一个用户添加了一个名称为“我的 #2 列!!!”的列
{
//_id, __v, etc..
name: 'myPage',
sections: [{
name: 'Section 1',
columns [{
name: 'My #1 Column'
},
{
name: 'My #2 Column!!!'
}]
}]
}
两个用户都将整个不同步的 JSON 发布到服务器。我想合并它们。
这是我目前的保存方法:
app.post('/page/save', function(req, res) {
var newPage = req.body.page;
Page.findOne({
_id: newPage._id
}, function(err, page) {
if (err) {
return res.send(err);
}
// this portion is obviously problematic as it doesn't merge the objects
// it simply overwrites it with whatever page JSON you received at the time
// of the request.
page.sections = newPage.sections;
page.save(function(err) {
if (err) {
res.send(err);
} else {
res.send('success!');
}
});
});
});
我是否需要创建自己的更新队列,首先从服务器检索最新文档,将文档合并在一起,然后保存它们。或者这是由 mongodb 处理的。
另外,是否有像更新这样的简单方法,将旧对象与新对象合并并保存?
谢谢你。