首页 > 编程 > JavaScript > 正文

Vue.js中数组变动的检测详解

2019-11-20 08:46:18
字体:
来源:转载
供稿:网友

前言

最近在尝试用Vue.js重构公司的现有业务代码,组件化的设计思路和MVVM的思想让我深深沉迷于其中。但是是踩到了不少坑,就比如这篇文章介绍的数组绑定后的更新检测。

相信大家都知道ObserverWatchervm 可谓 Vue 中比较重要的部分,检测数据变动后视图更新的重要环节。在 vue.js中$watch的用法示例 中,我们讨论了如何实现基本的 watch 。

接下来,我们来看看如何实现数组变动检测。

例子:

// 创建 vmlet vm = new Vue({ data: { a: [{}, {}, {}] }})// 键路径vm.$watch('a', function () { // 做点什么})

思路

在 js 中, 很容易实现 hook, 比如:

// hook 一个 console。loglet _log = console.logconsole.log = function (data) { // do someting _log.call(this, data)}

我们只要实现自定义的函数,就能观测到数组变动。

Vue.js 中使用Object.create() 这个函数来实现继承, 从而实现自定义函数,以观测数组。

// 简单介绍var a = new Object(); // 创建一个对象,没有父类var b = Object.create(a.prototype); // b 继承了a的原型

继承

array.js定义如下:

// 获取原型const arrayProto = Array.prototype// 创建新原型对象export const arrayMethods = Object.create(arrayProto)// 给新原型实现这些函数[ 'push', 'pop', 'shift', 'unshift', 'splice', 'sort', 'reverse'].forEach(function (method) {// 获取新原型函数 (此时未实现 undefined) const original = arrayProto[method] // 给新原型添加函数实现 Object.defineProperty(arrayMethods, method, { value: function mutator() {  let i = arguments.length  // 获取参数  const args = new Array(i)  while (i--) {  args[i] = arguments[i]  }  // 实现函数  const result = original.apply(this, args)  // 获取观察者  const ob = this.__ob__  // 是否更改数组本身  let inserted  switch (method) {  case 'push':   inserted = args   break  case 'unshift':   inserted = args   break  case 'splice':   inserted = args.slice(2)   break  }  // 观察新数组  inserted && ob.observeArray(inserted)  // 触发更新  ob.dep.notify()  return result }, enumerable: true, writable: true, configurable: true })})

ok, 我们定义完了 array.js, 并作为模块导出,修改 Observer 的实现:

export function Observer (value) { this.dep = new Dep() this.value = value // 如果是数组就更改其原型指向 if (Array.isArray(value)) { value.__proto__ = arrayMethods this.observeArray(value) } else { this.walk(value) }}// 观测数据元素Observer.prototype.observeArray = function (items) { for (let i = 0, l = items.length; i < l; i++) { observe(items[i]) }}

Observer 修改完毕后,我们再看看 Watcher , 只需要改动其 update 函数,

Watcher.prototype.update = function (dep) { console.log('2.update') const value = this.get() const oldValue = this.value this.value = value if (value !== this.value || value !== null) { this.cb.call(this.vm, value, oldValue) // 如果没有此函数, 会导致重复调用 $watch 回调函数。 // 原因:数组变异过了,并对新数组也进行了观察,应该移除旧的观察者 dep.subs.shift() }}

结果:

const vm = new Vue({ data: { b: [{a: 'a'}, {b: 'b'}] }})vm.$watch('b', (val) => { console.log('------我看到你们了-----')})vm.b.push({c: 'c'})vm.b.pop({c: 'c'})vm.b.push({c: 'c'})// 结果:// console.log('------我看到你们了-----')// console.log('------我看到你们了-----')// console.log('------我看到你们了-----')

总结

至此,我们已经实现对数组变动的检测。主要使用了Object.create()函数。希望这篇文章的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流。

发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表