我的缩略模型如下所示:
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
时,宽高比会发生变化。我遇到的问题是,当您使用上面的代码对Backbone Model进行更改时,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之外,我不知道y
值已更改为50,我的代码会将x
值更新为60,以便它与由模型初始化设置的宽高比为1:1。通过更改{x: 50, y: 60}
我想将宽高比更改为5:6,但Backbone中的上述代码会在更改值与以前相同时保持不变。
我如何成功解决这个问题?
答案 0 :(得分:0)
当我想要强制更改事件时,我默默地取消设置该属性,然后再次设置它:
model.unset('x', { silent: true }).unset('y', { silent: true }).set({ x: 50, y: 60 });
为了使它更方便,你可以将它包装在模型的另一个函数中:
setXY: function(x, y) {
this.unset('x', { silent: true }).unset('y', { silent: true }).set({ x: x, y: y });
}