最佳答案
我有一个具有特定起始数据集的组件:
data: function (){
return {
modalBodyDisplay: 'getUserInput', // possible values: 'getUserInput', 'confirmGeocodedValue'
submitButtonText: 'Lookup', // possible values 'Lookup', 'Yes'
addressToConfirm: null,
bestViewedByTheseBounds: null,
location:{
name: null,
address: null,
position: null
}
}
这是一个模态窗口的数据,所以当它显示时,我希望它从这个数据开始。如果用户从窗口取消,我想重置所有的数据到这个。
我知道我可以创建一个方法来重置数据,只需手动设置所有的数据属性回到他们的原始:
reset: function (){
this.modalBodyDisplay = 'getUserInput';
this.submitButtonText = 'Lookup';
this.addressToConfirm = null;
this.bestViewedByTheseBounds = null;
this.location = {
name: null,
address: null,
position: null
};
}
但这看起来太草率了。这意味着,如果我更改了组件的数据属性,我需要确保我记得更新重置方法的结构。这不是绝对可怕,因为它是一个小的模块化组件,但它使我的大脑的优化部分尖叫。
我认为可行的解决方案是在 ready
方法中获取初始数据属性,然后使用保存的数据重置组件:
data: function (){
return {
modalBodyDisplay: 'getUserInput',
submitButtonText: 'Lookup',
addressToConfirm: null,
bestViewedByTheseBounds: null,
location:{
name: null,
address: null,
position: null
},
// new property for holding the initial component configuration
initialDataConfiguration: null
}
},
ready: function (){
// grabbing this here so that we can reset the data when we close the window.
this.initialDataConfiguration = this.$data;
},
methods:{
resetWindow: function (){
// set the data for the component back to the original configuration
this.$data = this.initialDataConfiguration;
}
}
但是 initialDataConfiguration
对象随着数据的变化而变化(这是有意义的,因为在 read 方法中,我们的 initialDataConfiguration
获得了数据函数的作用域。
有没有一种方法可以在不继承作用域的情况下获取初始配置数据?
我是不是想太多了而且还有更好更简单的方法?
对初始数据进行硬编码是唯一的选择吗?