我的缩写模型如下所示:
var model = new Backbone.Model({
defaults: {
x: 50,
y: 50,
constrain_proportions: true
},
initialize: function () {
// Do stuff to calculate the aspect ratio of x and y
this.on('change:x', doStuff, this);
this.on('change:y', doStuff, this);
},
doStuff: function () {
// ...
if (this.get('constrain_proportions')) {
var changes = this.changedAttributes();
// Do stuff to make sure proportions are constrained
}
}
});
我遇到了一个问题,我正在做出这样的改变:
model.set({
x: 50,
y: 60
});
在我的doStuff
方法中,我想确保当constrain_proportions
设置为 true 时,更改一个属性会更改另一个属性,同时保持相同的纵横比。当我一起更新时x
,y
纵横比会发生变化。我遇到的问题是,当您使用上面的代码对主干模型进行更改时,该x
属性与默认值相同。在 Backbone 中,这会导致model.changedAttributes()
返回:
{ y: 60 }
这是由于方法中的这段代码Model.set
:
// For each `set` attribute, update or delete the current value.
for (attr in attrs) {
val = attrs[attr];
if (!_.isEqual(current[attr], val)) changes.push(attr);
if (!_.isEqual(prev[attr], val)) {
this.changed[attr] = val;
} else {
delete this.changed[attr]; // The culprit is right here
}
unset ? delete current[attr] : current[attr] = val;
}
在不知道x
值变为 60 的情况下,值变为 50 的情况下y
,我的代码将x
值更新为 60,使其与模型初始化设置的 1:1 纵横比保持一致。通过进行更改,{x: 50, y: 60}
我想将纵横比更改为 5:6,但是 Backbone 的上述代码在更改的值与以前相同时阻止了这种情况的发生。
我如何成功解决这个问题?