set为解决Vue2中双向数据绑定失效而生,只需要关注什么时候双向数据绑定会失效就可以了。
例如:
1.利用数组中某个项的索引直接修改该项的时候
arr[indexOfItem] = newValue
2.直接修改数组的长度的时候
arr.length = newLength
3.由于JavaScript的限制,Vue2不能检测对象属性的添加或删除
若要知道其具体原因可以参考官方文档对于深入响应式原理的解读——
this.$set 实例方法,该方法是全局方法 Vue.set 的一个别名
1.对于数组
this.$set(Array, index, newValue)
2.对于对象
this.$set(Object, key, value)
需求:data中未定义,手动给form添加age属性,并且点击按钮进行自增。
如果使用 this.form.age = 10 这种方式,不能进行添加和自增,数据无法响应式。
此时便需要使用 this.$set方式实现响应式
- <template>
- <div>
- <h1> {{ form }} h1>
- <button @click="add">添加button>
- div>
- template>
- <script>
- export default{
- data(){
- return{
- form:{
- name: 'xxx',
- }
- }
- }
- methods:{
- add(){
- if(!this.form.age){
- this.$set(this.form, age, 10) // 成功
-
- // Vue2中监听不到动态给对象添加的属性的
- // this.form.age = 10 // 失败无法添加,更无法自增
- } else {
- this.form.age++
- }
- }
- }
- }
- script>