vue.js $ watch对象数组

时间:2015-12-15 08:07:34

标签: vue.js

mounted: function() {
  this.$watch('things', function(){console.log('a thing changed')}, true);
}

things是一个对象数组[{foo:1}, {foo:2}]

$watch检测添加或删除对象的时间,但不会检测对象上的值是否更改。我怎么能这样做?

4 个答案:

答案 0 :(得分:51)

您应该将对象而不是布尔值作为options传递,所以:

mounted: function () {
  this.$watch('things', function () {
    console.log('a thing changed')
  }, {deep:true})
}

或者您可以将观察者设置为vue实例,如下所示:

new Vue({
  ...
  watch: {
    things: {
      handler: function (val, oldVal) {
        console.log('a thing changed')
      },
      deep: true
    }
  },
  ...
})

[demo]

答案 1 :(得分:6)

如果有人需要获取阵列中已更改的项目,请检查:

JSFiddle Example

帖子示例代码:

new Vue({
  ...
  watch: {
    things: {
      handler: function (val, oldVal) {
        var vm = this;
        val.filter( function( p, idx ) {
            return Object.keys(p).some( function( prop ) {
                var diff = p[prop] !== vm.clonethings[idx][prop];
                if(diff) {
                    p.changed = true;                        
                }
            })
        });
      },
      deep: true
    }
  },
  ...
})

答案 2 :(得分:2)

来自https://vuejs.org/v2/api/#vm-watch

  

注意:当变异(而不是替换)对象或数组时,   旧值将与新值相同,因为它们引用了   相同的对象/数组。 Vue不会保留突变前值的副本。

但是,您可以分别迭代dict / array和$ watch每个项目。即。 $watch('foo.bar')-它监视对象'foo'的属性'bar'的变化。

在此示例中,我们监视arr_of_numbers中的所有项目,以及arr_of_objects中所有项目的'foo'属性:

mounted() {
        this.arr_of_numbers.forEach( (index, val) => {
            this.$watch(['arr_of_numbers', index].join('.'), (newVal, oldVal) => {
                console.info("arr_of_numbers", newVal, oldVal);
            });
        });

        for (let index in this.arr_of_objects) {
            this.$watch(['arr_of_objects', index, 'foo'].join('.'), (newVal, oldVal) => {
                console.info("arr_of_objects", this.arr_of_objects[index], newVal, oldVal);
            });
        }

    },
    data() {
        return {
            arr_of_numbers: [0, 1, 2, 3],
            arr_of_objects: [{foo: 'foo'}, {foo:'bar'}]
        }
    }

答案 3 :(得分:0)

有一种更简单的方法,无需深入监视即可查看数组的项:使用计算值

{
  el: "#app",
  data () {
    return {
      list: [{a: 0}],
      calls: 0,
      changes: 0,
    }
  },
  computed: {
    copy () { return this.list.slice() },
  },
  watch: {
    copy (a, b) {
      this.calls ++
      if (a.length !== b.length) return this.onChange()
      for (let i=0; i<a.length; i++) {
        if (a[i] !== b[i]) return this.onChange()
      }
    }
  },
  methods: {
    onChange () {
      console.log('change')
      this.changes ++
    },
    addItem () { this.list.push({a: 0}) },
    incrItem (i) { this.list[i].a ++ },
    removeItem(i) { this.list.splice(i, 1) }
  }
}

https://jsfiddle.net/aurelienlt89/x2kca57e/15/

这个想法是建立一个具有我们要检查的计算值copy。计算值是不可思议的,只能将观察者置于实际读取的属性上(此处,list中读取的list.slice()项)。 copy监视程序中的检查实际上几乎是无用的(也许是奇怪的极端情况除外),因为计算值已经非常精确了。