1

我有一个无法解决的奇怪问题。我有一个猫鼬模式:

Product = new Schema({
  title: {
     type: String
  },
  prices: {
     type: Array
  },
  sync: {
     type: Boolean
  }
  ...

如果同步标志为真,我使用 post save 中间件来更新第 3 方站点。在该操作返回时,我更新价格数组并将同步设置为 false,这样它就不会导致无限循环。

Product.post('save', function () { 
    if(this.sync) {
        this.title = "HELLO";
        this.prices[0].retail = '24';
        this.sync = false;
        this.save();
    }
});

如果我执行上述操作,标题和同步字段会更改,但价格数组不会更改。实际上,我无法更新架构中的任何数组。在上面的示例中,价格数组包含大约 10 个条目 - 每个条目都包含许多字段,其中包括一个零售字段。我也尝试添加到该数组:

this.prices.push({ retail: "10 });

以及重新初始化数组:

this.prices = [];

不管我做什么都没有效果。但是,可以更新任何非数组字段。

有什么想法吗?

4

1 回答 1

2

如果您没有指定数组字段中的模式(如 中prices),Mongoose 会将其视为一个Mixed字段,并且您必须通知 Mongoose 您对其所做的任何更改,以便 Mongoose 知道保存它。文档在这里

因此,您的代码应更改为:

Product.post('save', function () { 
    if(this.sync) {
        this.title = "HELLO";
        this.prices[0].retail = '24';
        this.markModified('prices');
        this.sync = false;
        this.save();
    }
});
于 2012-11-07T13:19:28.733 回答