我有这个架构

var CandidateProfileSchema = new Schema({
  OtherExp: [{
    typeExp:String,
    organization: String,
    startDate: String,
    endDate: String,
    role: String,
    description: String,
    achievements: String
  }],
  //more fields
});


这是我的控制器函数,用于在模式中放置/更新OtherExp字段。

exports.updateOtherExp = function(req, res) {
  if(req.body._id) { delete req.body._id; }
  CandidateProfile.findOne({userId:req.params.id}, function (err, candidateProfile) {
    if (err) { return handleError(res, err); }
    if(!candidateProfile) { return res.send(404); }

    candidateProfile.other= _.extend(candidateProfile.other, req.body.other);

    candidateProfile.save(function (err) {
      if (err) { return handleError(res, err); }
      return res.json(200, candidateProfile);
    });
  });
};


我的数据说
第1行:a1,a2,a3,a4,a5,a6,a7
第2行:b1,b2,b3,b4,b5,,b6,b7

问题是数据被保存到我的mongodb集合中是第一行的重复
第1行:a1,a2,a3,a4,a5,a6,a7
第2行:a1,a2,a3,a4,a5,a6,a7

谁能看到问题所在吗?
对于我的架构的其他部分,相同的代码也可以正常工作,在这些地方我没有像这样的嵌套数据。

这是从我的候选人资料/ index.js

router.put('/:id', controller.update);
router.put('/:id/skills', controller.updateSkills);
router.put('/:id/otherExp', controller.updateOtherExp);

最佳答案

我刚刚在类似问题上浪费了1个小时。我用过_.assign{In}(),然后用_.merge()然后也尝试了Document#set()我总是以重复输入数组结尾。

对我有用的解决方法


[]分配给将要设置的任何数组
然后使用doc.set(attrs)分配整棵树


示例(在我的情况下,some_problematic_array引起与所讨论的问题相同的奇怪行为):

var attrs = _.pick(req.body, [
    'name',
    'tags', // ...
    "some_problematic_array"
]);
var doc = ///... ;

if( attrs.some_problematic_array ) doc.some_problematic_array = [];
                                      ^^^^ ***workaround***
doc.set(attrs);

09-25 17:37