首页 > 语言 > JavaScript > 正文

vue双向绑定及观察者模式详解

2024-05-06 15:41:32
字体:
来源:转载
供稿:网友

在Vue中,使用了Object.defineProterty()这个函数来实现双向绑定,这也就是为什么Vue不兼容IE8

1 响应式原理

让我们先从相应式原理开始。我们可以通过Object.defineProterty()来自定义Object的getter和setter 从而达到我们的目的。

代码如下

function observe(value, cb) { Object.keys(value).forEach((key) => defineReactive(value, key, value[key] , cb))}function defineReactive (obj, key, val, cb) { Object.defineProperty(obj, key, {  enumerable: true,  configurable: true,  get: ()=>{   /*....依赖收集等....*/   /*Github:https://github.com/answershuto*/   return val  },  set:newVal=> {   val = newVal;   cb();/*订阅者收到消息的回调*/  } })}class Vue { constructor(options) {  this._data = options.data;  observe(this._data, options.render) }}let app = new Vue({ el: '#app', data: {  text: 'text',  text2: 'text2' }, render(){  console.log("render"); }})

通过observe函数对app.data上的每一个key和value都设定getter和setter。当value改变的时候触发setter,就会触发render这个函数。响应式的目的就达成,如果是视图更新的话我们通过监听dom的input事件来触发数据更新
但是现在我们只有在改变vue._data.text的时候才会触发他们的setter,但是我想偷懒,只改变vue.text就能触发到setter怎么做呢?

我们使用代理的方法

_proxy.call(this, options.data);/*构造函数中*//*代理*/function _proxy (data) { const that = this; Object.keys(data).forEach(key => {  Object.defineProperty(that, key, {   configurable: true,   enumerable: true,   get: function proxyGetter () {    return that._data[key];   },   set: function proxySetter (val) {    that._data[key] = val;   }  }) });}

依赖收集

让我们再来看看下面的代码

new Vue({ template:   `<div>   <span>text1:</span> {{text1}}   <span>text2:</span> {{text2}}  <div>`, data: {  text1: 'text1',  text2: 'text2',  text3: 'text3' }});

当你的text3变化的时候,实际上text3并没有被渲染,但是也会触发一次render函数,这显然是不对的。所以我们需要收集依赖。

我们只需要在初始化的时候渲染一遍,那所有渲染所依赖的数据都会被触发getter,这时候我们只要把这个数据放到一个列表里就好啦!

我们先来认识一下Dep(dependencies)这个类,下图是一个最简单的Dep类。我们可以把他理解为发布者(这点很重要!!)

class Dep { constructor () {  this.subs = []; } addSub (sub: Watcher) {  this.subs.push(sub) } removeSub (sub: Watcher) {  remove(this.subs, sub) } /*Github:https://github.com/answershuto*/ notify () {  // stabilize the subscriber list first  const subs = this.subs.slice()  for (let i = 0, l = subs.length; i < l; i++) {   subs[i].update()  } }}function remove (arr, item) { if (arr.length) {  const index = arr.indexOf(item)  if (index > -1) {   return arr.splice(index, 1) }}            
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表

图片精选