当你把一个普通的 JavaScript 对象传入 Vue 实例做为 data 选项,Vue 将遍历此对象全部的 property,并使用 Object.defineProperty 把这些 property 所有转为 getter/setter。Object.defineProperty 是 ES5 中一个没法 shim 的特性,这也就是 Vue 不支持 IE8 以及更低版本浏览器的缘由。javascript
这些 getter/setter 对用户来讲是不可见的,可是在内部它们让 Vue 可以追踪依赖,在 property 被访问和修改时通知变动。这里须要注意的是不一样浏览器在控制台打印数据对象时对 getter/setter 的格式化并不一样,因此建议安装 vue-devtools 来获取对检查数据更加友好的用户界面。html
每一个组件实例都对应一个 watcher 实例,它会在组件渲染的过程当中把“接触”过的数据 property 记录为依赖。以后当依赖项的 setter 触发时,会通知 watcher,从而使它关联的组件从新渲染。vue
vue中的响应式能够理解为:当你的状态改变时,状态是如何在整个系统的更新中反映出来的,在咱们的特定上下文中,变化的状态如何反映到dom的变化中。数据模型仅仅是普通的 JavaScript 对象。而当你修改它们时,视图会进行更新。java
<body>
<span class="cell b"></span>
</body>
<script> let state = { a: 1 } const onStateChange = (() => { document.querySelector('.cell').textContent = state.a * 10 }) </script>
复制代码
在这个伪代码中,咱们设置了一个变量state,和一个onStateChange函数,其做用时在state发生变化时可以对视图进行更新。 咱们进一步抽象,抽象出这个命令式的DOM到一个模板语言里node
<body>
<span class="cell b">
{{state.a*10}}
</span>
</body>
<script> let update; // we can understand this to Observer update const onStateChange = _update => { update = _update } const setState = newState => { state = newState; update() } onStateChange(()=>{ view = render(state) }) setState({a:5}) </script>
复制代码
若是你用过react,你会发现它很是熟悉,由于React会在setState中强制触发状态改变,在angular环境中,咱们能够直接操做状态,由于angular使用了脏检查,他拦截你的事件,好比单击以执行digest循环而后检查全部的东西是否改变了。react
<body>
<span class="cell b">
{{state.a*10}}
</span>
</body>
<script> let update; // we can understand this to Observer update let state = { a: 1 } const onStateChange = _update => { update = _update } onStateChange(() => { view = render(state) }) state.a = 5 </script>
复制代码
在视图联系中Vue作的更细致,将State对象转换为响应式的,经过使用Object.defineProperty,咱们将全部这些属性转换成getter和setter,因此咱们对state.a来讲,把a转换成一个getter和setter。当咱们对a的值进行设置时,去触发onStateChange。web
首先咱们须要了解Object.defineProperty()语法。 算法
function isObject (obj) {
return typeof obj === 'object'
&& !Array.isArray(obj)
&& obj !== null
&& obj !== undefined
}
function convert (obj) {
if (!isObject(obj)) {
throw new TypeError()
}
Object.keys(obj).forEach(key => {
let internalValue = obj[key]
Object.defineProperty(obj, key, {
get () {
console.log(`getting key "${key}": ${internalValue}`)
return internalValue
},
set (newValue) {
console.log(`setting key "${key}" to: ${newValue}`)
internalValue = newValue
}
})
})
}
const state = { foo: 123 }
convert(state)
state.foo // should log: 'getting key "foo": 123'
state.foo = 234 // should log: 'setting key "foo" to: 234'
state.foo // should log: 'getting key "foo": 234'
复制代码
观察者模式是咱们要了解的第二个知识点express
当对象间存在一对多关系时,则使用观察者模式(Observer Pattern)。好比,当一个对象被修改时,则会自动通知依赖它的对象。观察者模式属于行为型模式。数组
意图:定义对象间的一种一对多的依赖关系,当一个对象的状态发生改变时,全部依赖于它的对象都获得通知并被自动更新。
主要解决:一个对象状态改变给其余对象通知的问题,并且要考虑到易用和低耦合,保证高度的协做。
什么时候使用:一个对象(目标对象)的状态发生改变,全部的依赖对象(观察者对象)都将获得通知,进行广播通知。
如何解决:使用面向对象技术,能够将这种依赖关系弱化。
关键代码:在抽象类里有一个 ArrayList 存放观察者们。
<script> class Dep { constructor() { this.state = 0; this.observers = [] } getState() { return this.state } setState(state) { this.state = state; this.notify() } notify() { this.observers.forEach(observer => observer.update()) } addDep(observer) { this.observers.push(observer) } } class Watcher { constructor(name, dep) { this.name = name this.dep = dep this.dep.addDep(this) } update() { console.log(`${this.name}update,state:${this.dep.getState()}`) } } let dep = new Dep() let watch = new Watcher('dep', dep) dep.setState(2312) </script>
复制代码
有了以上的铺垫,咱们就能够实现一个简单的数据监听器
<script> class Vue { constructor(options) { this.$options = options; // 数据响应式处理 this.$data = options.data; this.observe(this.$data); // 测试: 没有编译器,写伪码 new Watcher(this, 'test') this.test new Watcher(this, 'foo.bar') this.foo.bar if (options.created) { options.created.call(this); } } observe(value) { // 但愿传进来的是对象 if (!value || typeof value !== 'object') { return; } // 遍历data属性 Object.keys(value).forEach(key => { this.defineReactive(value, key, value[key]) // 代理,能够经过vm.xx访问data中的属性 this.proxyData(key); }) } // 每个属性都有一个Dep搜集观察者 defineReactive(obj, key, val) { // 制造闭包 // 递归 this.observe(val); // 建立一个对应的Dep const dep = new Dep(); // 监听的属性 // 给obj定义属性 Object.defineProperty(obj, key, { get() { // 将Dep.target(wather)收集起来,每当有一个新watcher当即搜集 Dep.target && dep.addDep(Dep.target); return val; }, set(newVal) { if (newVal === val) { return; } val = newVal; // console.log(`${key}属性更新了`); // 更新视图操做 dep.notify(); }, }) } proxyData(key) { // 给KVue实例指定属性 Object.defineProperty(this, key, { get() { return this.$data[key]; }, set(newVal) { this.$data[key] = newVal; } }) } } // 管理若干Watcher实例,它和data中的属性1:1关系 class Dep { constructor() { this.watchers = []; } // 新增watcher addDep(watcher) { this.watchers.push(watcher) } // 通知变动 notify() { this.watchers.forEach(watcher => watcher.update()) } } // 监听器: 负责更新页面中的具体绑定 // 观察谁 // 怎么更新,callback class Watcher { // vm是KVue实例 // key是data中的一个属性 constructor(vm, key, cb) { this.vm = vm; this.key = key; this.cb = cb; // autoRun Dep.target = this; this.vm[this.key]; // 读取触发依赖收集 Dep.target = null; } update() { // console.log(this.key+'更新了'); this.cb.call(this.vm, this.vm[this.key]) } } </script>
复制代码
vue1响应式, Objec.t.defineProperty每一个数据修改,都能通知dom去改变 vue2x中响应式的级别修改了, watcher只到组件级,组件内部使用虚拟dom
接下来咱们详细的说说Vue是如何实现响应式的
Vue初始化的时候,会调用initState.,它会初始化data,props等,这里咱们重点看data初始化
// src/core/instance/state
export function initState (vm: Component) {
vm._watchers = []
const opts = vm.$options
if (opts.props) initProps(vm, opts.props)
if (opts.methods) initMethods(vm, opts.methods)
if (opts.data) {
initData(vm)
} else {
observe(vm._data = {}, true /* asRootData */)
}
if (opts.computed) initComputed(vm, opts.computed)
if (opts.watch && opts.watch !== nativeWatch) {
initWatch(vm, opts.watch)
}
}
复制代码
initData核心代码是data数据响应化
function initData (vm: Component) {
let data = vm.$options.data
data = vm._data = typeof data === 'function'
? getData(data, vm)
: data || {}
// 把data代理到实例上
const keys = Object.keys(data)
const props = vm.$options.props
const methods = vm.$options.methods
let i = keys.length
while (i--) {
const key = keys[i]
proxy(vm, `_data`, key)
}
// observe data
observe(data, true /* asRootData */)
}
复制代码
observe方法返回一个Observer实例
/** * Attempt to create an observer instance for a value, * returns the new observer if successfully observed, * or the existing observer if the value already has one. */
export function observe (value: any, asRootData: ?boolean): Observer | void {
if (!isObject(value) || value instanceof VNode) {
return
}
let ob: Observer | void
if (hasOwn(value, '__ob__') && value.__ob__ instanceof Observer) {
ob = value.__ob__
} else if (
shouldObserve &&
!isServerRendering() &&
(Array.isArray(value) || isPlainObject(value)) &&
Object.isExtensible(value) &&
!value._isVue
) {
ob = new Observer(value)
}
if (asRootData && ob) {
ob.vmCount++
}
return ob
}
复制代码
Observer对象根据数据类型执行对应的响应化操做
/** * Observer class that is attached to each observed * object. Once attached, the observer converts the target * object's property keys into getter/setters that * collect dependencies and dispatch updates. */
export class Observer {
value: any;
dep: Dep;// 保存数组类型数据的依赖
vmCount: number; // number of vms that have this object as root $data
constructor (value: any) {
this.value = value
this.dep = new Dep()
this.vmCount = 0
def(value, '__ob__', this)
if (Array.isArray(value)) {
if (hasProto) {
protoAugment(value, arrayMethods)
} else {
copyAugment(value, arrayMethods, arrayKeys)
}
this.observeArray(value)
} else {
this.walk(value)
}
}
/** * Walk through all properties and convert them into * getter/setters. This method should only be called when * value type is Object. * 若是是对象,则执行该函数 */
walk (obj: Object) {
const keys = Object.keys(obj)
for (let i = 0; i < keys.length; i++) {
defineReactive(obj, keys[i])
}
}
/** * Observe a list of Array items. */
observeArray (items: Array<any>) {
for (let i = 0, l = items.length; i < l; i++) {
observe(items[i])
}
}
}
复制代码
defineReactive定义对象的getter/setter
**
* Define a reactive property on an Object.
*/
export function defineReactive (
obj: Object,
key: string,
val: any,
customSetter?: ?Function,
shallow?: boolean
) {
const dep = new Dep()
const property = Object.getOwnPropertyDescriptor(obj, key)
if (property && property.configurable === false) {
return
}
// cater for pre-defined getter/setters
const getter = property && property.get
const setter = property && property.set
if ((!getter || setter) && arguments.length === 2) {
val = obj[key]
}
let childOb = !shallow && observe(val)
Object.defineProperty(obj, key, {
enumerable: true,
configurable: true,
get: function reactiveGetter () {
const value = getter ? getter.call(obj) : val
if (Dep.target) {
dep.depend()
if (childOb) {
childOb.dep.depend()
if (Array.isArray(value)) {
dependArray(value)
}
}
}
return value
},
set: function reactiveSetter (newVal) {
const value = getter ? getter.call(obj) : val
/* eslint-disable no-self-compare */
if (newVal === value || (newVal !== newVal && value !== value)) {
return
}
/* eslint-enable no-self-compare */
if (process.env.NODE_ENV !== 'production' && customSetter) {
customSetter()
}
// #7981: for accessor properties without setter
if (getter && !setter) return
if (setter) {
setter.call(obj, newVal)
} else {
val = newVal
}
childOb = !shallow && observe(newVal) // 递归子对象
dep.notify()
}
})
}
复制代码
Dep负责管理一组Watcher,包括watcher实例的增删及通知更新
/** * A dep is an observable that can have multiple * directives subscribing to it. */
export default class Dep {
static target: ?Watcher;
id: number;
subs: Array<Watcher>;
constructor () {
this.id = uid++
this.subs = []
}
addSub (sub: Watcher) {
this.subs.push(sub)
}
removeSub (sub: Watcher) {
remove(this.subs, sub)
}
// 调用watcher的adddep方法实现watcher和dep相互引用
depend () {
if (Dep.target) {
Dep.target.addDep(this)
}
}
notify () {
// stabilize the subscriber list first
const subs = this.subs.slice()
for (let i = 0, l = subs.length; i < l; i++) {
subs[i].update()
}
}
}
// The current target watcher being evaluated.
// This is globally unique because only one watcher
// can be evaluated at a time.
Dep.target = null
复制代码
Watcher的构造函数 解析一个表达式并搜集依赖,当数值发生变化出发回调函数,经常使用于$watch API和指令中。每一个组件也会有对应的Watcher,数值变化会触发其update函数致使从新渲染
export default class Watcher {
vm: Component;
expression: string;
cb: Function;
id: number;
deep: boolean;
user: boolean;
lazy: boolean;
sync: boolean;
dirty: boolean;
active: boolean;
deps: Array<Dep>;
newDeps: Array<Dep>;
depIds: SimpleSet;
newDepIds: SimpleSet;
before: ?Function;
getter: Function;
value: any;
constructor (
vm: Component,
expOrFn: string | Function,
cb: Function,
options?: ?Object,
isRenderWatcher?: boolean
) {
this.vm = vm
// 组件保存render watcher
if (isRenderWatcher) {
vm._watcher = this
}
// 组件保存非render watcher
vm._watchers.push(this)
// parse expression for getter
// 将表达式解析为getter函数
// 若是是函数则直接指定为getter,何时是函数?
// 答案是那些和组件实例对应的Watcher建立时会传递组件更新函数updateComponent
if (typeof expOrFn === 'function') {
this.getter = expOrFn
} else {
// 这种是$watch传递进来的表达式,须要被解析为函数
this.getter = parsePath(expOrFn)
if (!this.getter) {
this.getter = noop
}
}
this.value = this.lazy
? undefined
: this.get()
}
/** * Evaluate the getter, and re-collect dependencies. * 模拟getter。从新搜集依赖 */
get () {
// Dep.target = this
pushTarget(this)
let value
const vm = this.vm
try {
// 从组件中获取到value同时触发依赖搜集
value = this.getter.call(vm, vm)
} catch (e) {} finally {
// "touch" every property so they are all tracked as
// dependencies for deep watching
if (this.deep) {
traverse(value)
}
popTarget()
this.cleanupDeps()
}
return value
}
/** * Add a dependency to this directive. */
addDep (dep: Dep) {
const id = dep.id
if (!this.newDepIds.has(id)) {
this.newDepIds.add(id)
this.newDeps.push(dep)
if (!this.depIds.has(id)) {
dep.addSub(this)
}
}
}
/** * Clean up for dependency collection. */
cleanupDeps () {
let i = this.deps.length
while (i--) {
const dep = this.deps[i]
if (!this.newDepIds.has(dep.id)) {
dep.removeSub(this)
}
}
let tmp = this.depIds
this.depIds = this.newDepIds
this.newDepIds = tmp
this.newDepIds.clear()
tmp = this.deps
this.deps = this.newDeps
this.newDeps = tmp
this.newDeps.length = 0
}
/** * Subscriber interface. * Will be called when a dependency changes. */
update () {
/* istanbul ignore else */
if (this.lazy) {
this.dirty = true
} else if (this.sync) {
this.run()
} else {
queueWatcher(this)
}
}
/** * Scheduler job interface. * Will be called by the scheduler. */
run () {
if (this.active) {
const value = this.get()
if (
value !== this.value ||
// Deep watchers and watchers on Object/Arrays should fire even
// when the value is the same, because the value may
// have mutated.
isObject(value) ||
this.deep
) {
// set new value
const oldValue = this.value
this.value = value
if (this.user) {
try {
this.cb.call(this.vm, value, oldValue)
} catch (e) { }
} else {
this.cb.call(this.vm, value, oldValue)
}
}
}
}
/** * Depend on all deps collected by this watcher. */
depend () {
let i = this.deps.length
while (i--) {
this.deps[i].depend()
}
}
}
复制代码
vue中的数据响应化使用了观察者模式:
- defineReactive中的getter和setter对应着订阅和发布行为
- Dep的角色至关于主题Subject,维护订阅者、通知观察者更新
- Watcher的角色至关于观察者Observer,执行更新可是vue里面的
- Observer不是上面说的观察者,它和data中对象-对应,有内嵌的对象就会有childObserver与之对应
$watch是一个和数据响应式息息相关的API,它指一个监控表达式,当数值发生变化的时候执行回调函数
Vue.prototype.$watch = function ( expOrFn: string | Function, cb: any, options?: Object ): Function {
const vm: Component = this
if (isPlainObject(cb)) {
return createWatcher(vm, expOrFn, cb, options)
}
options = options || {}
options.user = true
const watcher = new Watcher(vm, expOrFn, cb, options)
if (options.immediate) {
try {
cb.call(vm, watcher.value)
} catch (error) {
handleError(error, vm, `callback for immediate watcher "${watcher.expression}"`)
}
}
return function unwatchFn () {
watcher.teardown()
}
}
复制代码
数组⽐较特别,它的操做⽅法不会触发setter,须要特别处理。修改数组7个变动⽅法使其能够发送更新通知
methodsToPatch.forEach(function(method) {
// cache original method
const original = arrayProto[method]
def(arrayMethods, method, function mutator(...args) {
//该⽅法默认⾏为
const result = original.apply(this, args)
//获得observer
const ob = this.__ob__
let inserted
switch (method) {
case 'push':
case 'unshift':
inserted = args
break
case 'splice':
inserted = args.slice(2)
break
}
if (inserted) ob.observeArray(inserted)
// 额外的事情是通知更新
ob.dep.notify()
return result
})
})
复制代码
挂载时执⾏mountComponent,将dom内容追加⾄el
Vue.prototype.$mount = function ( el?: string | Element, // 可选参数 hydrating?: boolean ): Component {
el = el && inBrowser ? query(el) : undefined
return mountComponent(this, el, hydrating)
}
复制代码
建立组件更新函数,建立组件watcher实例
updateComponent = () => {
// ⾸先执⾏vm._render() 返回VNode,在这一环节进行依赖搜集
// 而后VNode做为参数执⾏update作dom更新
vm._update(vm._render(), hydrating)
}
new Watcher(vm, updateComponent, noop, {
before () {
if (vm._isMounted && !vm._isDestroyed) {
callHook(vm, 'beforeUpdate')
}
}
}, true /* isRenderWatcher */)
复制代码
获取组件vnode。依赖搜集 每一个属性都要有一个dep,每一个dep中存放着watcher,同一个watcher会被多个dep所记录。这个watcher对应着咱们在mountComponent函数建立的watcher
const { render, _parentVnode } = vm.$options;
vnode = render.call(vm._renderProxy, vm.$createElement);
复制代码
执⾏patching算法,初始化或更新vnode⾄$el
if (!prevVnode) {
// initial render
// 若是没有⽼vnode,说明在初始化
vm.$el = vm.__patch__(vm.$el, vnode, hydrating, false /* removeOnly */)
} else {
// updates
// 更新周期直接diff,返回新的dom
vm.$el = vm.__patch__(prevVnode, vnode)
}
复制代码
定义组件实例补丁⽅法
Vue.prototype.__patch__ = inBrowser ? patch : noop
复制代码
建立浏览器平台特有patch函数,主要负责dom更新操做
// 扩展操做:把通⽤模块和浏览器中特有模块合并
const modules = platformModules.concat(baseModules)
// ⼯⼚函数:建立浏览器特有的patch函数,这⾥主要解决跨平台问题
export const patch: Function = createPatchFunction({ nodeOps, modules })
复制代码
若是你有不清楚的地方或者认为我有写错的地方,欢迎评论区交流。