https://ustbhuangyi.github.io/vue-analysis/v2/data-driven/new-vue.html

如下源码,VUe 初始化主要做了以下几件事情:

  1. 初始化内部组件,合并配置
  2. 初始化生命周期
  3. 初始化事件中心
  4. 初始化渲染
  5. 调用 beforeCreate 钩子
  6. 初始化props、methods、data、computed、watch 等
  7. 调用 create 钩子

    1. export function initMixin (Vue: Class<Component>) {
    2. Vue.prototype._init = function (options?: Object) {
    3. const vm: Component = this
    4. // a uid
    5. vm._uid = uid++
    6. let startTag, endTag
    7. /* istanbul ignore if */
    8. if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
    9. startTag = `vue-perf-start:${vm._uid}`
    10. endTag = `vue-perf-end:${vm._uid}`
    11. mark(startTag)
    12. }
    13. // a flag to avoid this being observed
    14. vm._isVue = true
    15. // merge options
    16. if (options && options._isComponent) {
    17. // optimize internal component instantiation
    18. // since dynamic options merging is pretty slow, and none of the
    19. // internal component options needs special treatment.
    20. initInternalComponent(vm, options)
    21. } else {
    22. vm.$options = mergeOptions(
    23. resolveConstructorOptions(vm.constructor),
    24. options || {},
    25. vm
    26. )
    27. }
    28. /* istanbul ignore else */
    29. if (process.env.NODE_ENV !== 'production') {
    30. initProxy(vm)
    31. } else {
    32. vm._renderProxy = vm
    33. }
    34. // expose real self
    35. vm._self = vm
    36. initLifecycle(vm)
    37. initEvents(vm)
    38. initRender(vm)
    39. callHook(vm, 'beforeCreate')
    40. initInjections(vm) // resolve injections before data/props
    41. initState(vm)
    42. initProvide(vm) // resolve provide after data/props
    43. callHook(vm, 'created')
    44. /* istanbul ignore if */
    45. if (process.env.NODE_ENV !== 'production' && config.performance && mark) {
    46. vm._name = formatComponentName(vm, false)
    47. mark(endTag)
    48. measure(`vue ${vm._name} init`, startTag, endTag)
    49. }
    50. if (vm.$options.el) {
    51. vm.$mount(vm.$options.el)
    52. }
    53. }
    54. }
    1. export function initEvents (vm: Component) {
    2. vm._events = Object.create(null)
    3. vm._hasHookEvent = false
    4. // init parent attached events
    5. const listeners = vm.$options._parentListeners
    6. if (listeners) {
    7. updateComponentListeners(vm, listeners)
    8. }
    9. }

    初始化生命周期

    ```javascript export function initLifecycle (vm: Component) { const options = vm.$options

    // locate first non-abstract parent let parent = options.parent if (parent && !options.abstract) { while (parent.$options.abstract && parent.$parent) { parent = parent.$parent } parent.$children.push(vm) }

    vm.$parent = parent vm.$root = parent ? parent.$root : vm

    vm.$children = [] vm.$refs = {}

    vm._watcher = null vm._inactive = null vm._directInactive = false vm._isMounted = false vm._isDestroyed = false vm._isBeingDestroyed = false }

  1. <a name="tdfoa"></a>
  2. ## 初始化事件中心
  3. ```javascript
  4. export function initState (vm: Component) {
  5. vm._watchers = []
  6. const opts = vm.$options
  7. if (opts.props) initProps(vm, opts.props)
  8. if (opts.methods) initMethods(vm, opts.methods)
  9. if (opts.data) {
  10. initData(vm)
  11. } else {
  12. observe(vm._data = {}, true /* asRootData */)
  13. }
  14. if (opts.computed) initComputed(vm, opts.computed)
  15. if (opts.watch && opts.watch !== nativeWatch) {
  16. initWatch(vm, opts.watch)
  17. }
  18. }

该部分核心源码在 src/core/vdom/helpers/update-listeners.js

  1. export function updateListeners (
  2. on: Object,
  3. oldOn: Object,
  4. add: Function,
  5. remove: Function,
  6. createOnceHandler: Function,
  7. vm: Component
  8. ) {
  9. let name, def, cur, old, event
  10. for (name in on) {
  11. def = cur = on[name]
  12. old = oldOn[name]
  13. event = normalizeEvent(name)
  14. /* istanbul ignore if */
  15. if (__WEEX__ && isPlainObject(def)) {
  16. cur = def.handler
  17. event.params = def.params
  18. }
  19. if (isUndef(cur)) {
  20. process.env.NODE_ENV !== 'production' && warn(
  21. `Invalid handler for event "${event.name}": got ` + String(cur),
  22. vm
  23. )
  24. } else if (isUndef(old)) {
  25. if (isUndef(cur.fns)) {
  26. cur = on[name] = createFnInvoker(cur, vm)
  27. }
  28. if (isTrue(event.once)) {
  29. cur = on[name] = createOnceHandler(event.name, cur, event.capture)
  30. }
  31. add(event.name, cur, event.capture, event.passive, event.params)
  32. } else if (cur !== old) {
  33. old.fns = cur
  34. on[name] = old
  35. }
  36. }
  37. for (name in oldOn) {
  38. if (isUndef(on[name])) {
  39. event = normalizeEvent(name)
  40. remove(event.name, oldOn[name], event.capture)
  41. }
  42. }
  43. }

初始化渲染

  1. export function initRender (vm: Component) {
  2. vm._vnode = null // the root of the child tree
  3. vm._staticTrees = null // v-once cached trees
  4. const options = vm.$options
  5. const parentVnode = vm.$vnode = options._parentVnode // the placeholder node in parent tree
  6. const renderContext = parentVnode && parentVnode.context
  7. vm.$slots = resolveSlots(options._renderChildren, renderContext)
  8. vm.$scopedSlots = emptyObject
  9. // bind the createElement fn to this instance
  10. // so that we get proper render context inside it.
  11. // args order: tag, data, children, normalizationType, alwaysNormalize
  12. // internal version is used by render functions compiled from templates
  13. vm._c = (a, b, c, d) => createElement(vm, a, b, c, d, false)
  14. // normalization is always applied for the public version, used in
  15. // user-written render functions.
  16. vm.$createElement = (a, b, c, d) => createElement(vm, a, b, c, d, true)
  17. // $attrs & $listeners are exposed for easier HOC creation.
  18. // they need to be reactive so that HOCs using them are always updated
  19. const parentData = parentVnode && parentVnode.data
  20. /* istanbul ignore else */
  21. if (process.env.NODE_ENV !== 'production') {
  22. defineReactive(vm, '$attrs', parentData && parentData.attrs || emptyObject, () => {
  23. !isUpdatingChildComponent && warn(`$attrs is readonly.`, vm)
  24. }, true)
  25. defineReactive(vm, '$listeners', options._parentListeners || emptyObject, () => {
  26. !isUpdatingChildComponent && warn(`$listeners is readonly.`, vm)
  27. }, true)
  28. } else {
  29. defineReactive(vm, '$attrs', parentData && parentData.attrs || emptyObject, null, true)
  30. defineReactive(vm, '$listeners', options._parentListeners || emptyObject, null, true)
  31. }
  32. }

callHook

  1. export function callHook (vm: Component, hook: string) {
  2. // #7573 disable dep collection when invoking lifecycle hooks
  3. pushTarget()
  4. const handlers = vm.$options[hook]
  5. const info = `${hook} hook`
  6. if (handlers) {
  7. for (let i = 0, j = handlers.length; i < j; i++) {
  8. invokeWithErrorHandling(handlers[i], vm, null, vm, info)
  9. }
  10. }
  11. if (vm._hasHookEvent) {
  12. vm.$emit('hook:' + hook)
  13. }
  14. popTarget()
  15. }

初始化 prop

  1. function initProps (vm: Component, propsOptions: Object) {
  2. const propsData = vm.$options.propsData || {}
  3. const props = vm._props = {}
  4. // cache prop keys so that future props updates can iterate using Array
  5. // instead of dynamic object key enumeration.
  6. const keys = vm.$options._propKeys = []
  7. const isRoot = !vm.$parent
  8. // root instance props should be converted
  9. if (!isRoot) {
  10. toggleObserving(false)
  11. }
  12. for (const key in propsOptions) {
  13. keys.push(key)
  14. const value = validateProp(key, propsOptions, propsData, vm)
  15. /* istanbul ignore else */
  16. if (process.env.NODE_ENV !== 'production') {
  17. const hyphenatedKey = hyphenate(key)
  18. if (isReservedAttribute(hyphenatedKey) ||
  19. config.isReservedAttr(hyphenatedKey)) {
  20. warn(
  21. `"${hyphenatedKey}" is a reserved attribute and cannot be used as component prop.`,
  22. vm
  23. )
  24. }
  25. defineReactive(props, key, value, () => {
  26. if (!isRoot && !isUpdatingChildComponent) {
  27. warn(
  28. `Avoid mutating a prop directly since the value will be ` +
  29. `overwritten whenever the parent component re-renders. ` +
  30. `Instead, use a data or computed property based on the prop's ` +
  31. `value. Prop being mutated: "${key}"`,
  32. vm
  33. )
  34. }
  35. })
  36. } else {
  37. defineReactive(props, key, value)
  38. }
  39. // static props are already proxied on the component's prototype
  40. // during Vue.extend(). We only need to proxy props defined at
  41. // instantiation here.
  42. if (!(key in vm)) {
  43. proxy(vm, `_props`, key)
  44. }
  45. }
  46. toggleObserving(true)
  47. }

初始化 methods

  1. function initMethods (vm: Component, methods: Object) {
  2. const props = vm.$options.props
  3. for (const key in methods) {
  4. if (process.env.NODE_ENV !== 'production') {
  5. if (typeof methods[key] !== 'function') {
  6. warn(
  7. `Method "${key}" has type "${typeof methods[key]}" in the component definition. ` +
  8. `Did you reference the function correctly?`,
  9. vm
  10. )
  11. }
  12. if (props && hasOwn(props, key)) {
  13. warn(
  14. `Method "${key}" has already been defined as a prop.`,
  15. vm
  16. )
  17. }
  18. if ((key in vm) && isReserved(key)) {
  19. warn(
  20. `Method "${key}" conflicts with an existing Vue instance method. ` +
  21. `Avoid defining component methods that start with _ or $.`
  22. )
  23. }
  24. }
  25. vm[key] = typeof methods[key] !== 'function' ? noop : bind(methods[key], vm)
  26. }
  27. }

初始化 data

  1. function initData (vm: Component) {
  2. let data = vm.$options.data
  3. data = vm._data = typeof data === 'function'
  4. ? getData(data, vm)
  5. : data || {}
  6. if (!isPlainObject(data)) {
  7. data = {}
  8. process.env.NODE_ENV !== 'production' && warn(
  9. 'data functions should return an object:\n' +
  10. 'https://vuejs.org/v2/guide/components.html#data-Must-Be-a-Function',
  11. vm
  12. )
  13. }
  14. // proxy data on instance
  15. const keys = Object.keys(data)
  16. const props = vm.$options.props
  17. const methods = vm.$options.methods
  18. let i = keys.length
  19. while (i--) {
  20. const key = keys[i]
  21. if (process.env.NODE_ENV !== 'production') {
  22. if (methods && hasOwn(methods, key)) {
  23. warn(
  24. `Method "${key}" has already been defined as a data property.`,
  25. vm
  26. )
  27. }
  28. }
  29. if (props && hasOwn(props, key)) {
  30. process.env.NODE_ENV !== 'production' && warn(
  31. `The data property "${key}" is already declared as a prop. ` +
  32. `Use prop default value instead.`,
  33. vm
  34. )
  35. } else if (!isReserved(key)) {
  36. proxy(vm, `_data`, key)
  37. }
  38. }
  39. // observe data
  40. observe(data, true /* asRootData */)
  41. }

初始化 computed

  1. const computedWatcherOptions = { computed: true }
  2. function initComputed (vm: Component, computed: Object) {
  3. // $flow-disable-line
  4. const watchers = vm._computedWatchers = Object.create(null)
  5. // computed properties are just getters during SSR
  6. const isSSR = isServerRendering()
  7. for (const key in computed) {
  8. const userDef = computed[key]
  9. const getter = typeof userDef === 'function' ? userDef : userDef.get
  10. if (process.env.NODE_ENV !== 'production' && getter == null) {
  11. warn(
  12. `Getter is missing for computed property "${key}".`,
  13. vm
  14. )
  15. }
  16. if (!isSSR) {
  17. // create internal watcher for the computed property.
  18. watchers[key] = new Watcher(
  19. vm,
  20. getter || noop,
  21. noop,
  22. computedWatcherOptions
  23. )
  24. }
  25. // component-defined computed properties are already defined on the
  26. // component prototype. We only need to define computed properties defined
  27. // at instantiation here.
  28. if (!(key in vm)) {
  29. defineComputed(vm, key, userDef)
  30. } else if (process.env.NODE_ENV !== 'production') {
  31. if (key in vm.$data) {
  32. warn(`The computed property "${key}" is already defined in data.`, vm)
  33. } else if (vm.$options.props && key in vm.$options.props) {
  34. warn(`The computed property "${key}" is already defined as a prop.`, vm)
  35. } else if (vm.$options.methods && key in vm.$options.methods) {
  36. warn(`The computed property "${key}" is already defined as a method.`, vm)
  37. }
  38. }
  39. }
  40. }

函数首先创建 vm._computedWatchers 为一个空对象,接着对 computed 对象做遍历,拿到计算属性的每一个 userDef,然后尝试获取这个 userDef 对应的 getter 函数,拿不到则在开发环境下报警告。接下来为每一个 getter 创建一个 watcher,这个 watcher 和渲染 watcher 有一点很大的不同,它是一个 computed watcher,因为 const computedWatcherOptions = { computed: true }。computed watcher 和普通 watcher 的差别我稍后会介绍。最后对判断如果 key 不是 vm 的属性,则调用 defineComputed(vm, key, userDef),否则判断计算属性对于的 key 是否已经被 data 或者 prop 所占用,如果是的话则在开发环境报相应的警告。
那么接下来需要重点关注 defineComputed 的实现:

  1. export function defineComputed (
  2. target: any,
  3. key: string,
  4. userDef: Object | Function
  5. ) {
  6. const shouldCache = !isServerRendering()
  7. if (typeof userDef === 'function') {
  8. sharedPropertyDefinition.get = shouldCache
  9. ? createComputedGetter(key)
  10. : userDef
  11. sharedPropertyDefinition.set = noop
  12. } else {
  13. sharedPropertyDefinition.get = userDef.get
  14. ? shouldCache && userDef.cache !== false
  15. ? createComputedGetter(key)
  16. : userDef.get
  17. : noop
  18. sharedPropertyDefinition.set = userDef.set
  19. ? userDef.set
  20. : noop
  21. }
  22. if (process.env.NODE_ENV !== 'production' &&
  23. sharedPropertyDefinition.set === noop) {
  24. sharedPropertyDefinition.set = function () {
  25. warn(
  26. `Computed property "${key}" was assigned to but it has no setter.`,
  27. this
  28. )
  29. }
  30. }
  31. Object.defineProperty(target, key, sharedPropertyDefinition)
  32. }

这段逻辑很简单,其实就是利用 Object.defineProperty 给计算属性对应的 key 值添加 getter 和 setter,setter 通常是计算属性是一个对象,并且拥有 set 方法的时候才有,否则是一个空函数。在平时的开发场景中,计算属性有 setter 的情况比较少,我们重点关注一下 getter 部分,缓存的配置也先忽略,最终 getter 对应的是 createComputedGetter(key) 的返回值,来看一下它的定义:

  1. function createComputedGetter (key) {
  2. return function computedGetter () {
  3. const watcher = this._computedWatchers && this._computedWatchers[key]
  4. if (watcher) {
  5. watcher.depend()
  6. return watcher.evaluate()
  7. }
  8. }
  9. }

createComputedGetter 返回一个函数 computedGetter,它就是计算属性对应的 getter。
整个计算属性的初始化过程到此结束,我们知道计算属性是一个 computed watcher,它和普通的 watcher 有什么区别呢,为了更加直观,接下来来我们来通过一个例子来分析 computed watcher 的实现。

  1. var vm = new Vue({
  2. data: {
  3. firstName: 'Foo',
  4. lastName: 'Bar'
  5. },
  6. computed: {
  7. fullName: function () {
  8. return this.firstName + ' ' + this.lastName
  9. }
  10. }
  11. })

当初始化这个 computed watcher 实例的时候,构造函数部分逻辑稍有不同:

  1. constructor (
  2. vm: Component,
  3. expOrFn: string | Function,
  4. cb: Function,
  5. options?: ?Object,
  6. isRenderWatcher?: boolean
  7. ) {
  8. // ...
  9. if (this.computed) {
  10. this.value = undefined
  11. this.dep = new Dep()
  12. } else {
  13. this.value = this.get()
  14. }

可以发现 computed watcher 会并不会立刻求值,同时持有一个 dep 实例。
然后当我们的 render 函数执行访问到 this.fullName 的时候,就触发了计算属性的 getter,它会拿到计算属性对应的 watcher,然后执行 watcher.depend(),来看一下它的定义:

  1. /**
  2. * Depend on this watcher. Only for computed property watchers.
  3. */
  4. depend () {
  5. if (this.dep && Dep.target) {
  6. this.dep.depend()
  7. }
  8. }

注意,这时候的 Dep.target 是渲染 watcher,所以 this.dep.depend() 相当于渲染 watcher 订阅了这个 computed watcher 的变化。
然后再执行 watcher.evaluate() 去求值,来看一下它的定义

  1. /**
  2. * Evaluate and return the value of the watcher.
  3. * This only gets called for computed property watchers.
  4. */
  5. evaluate () {
  6. if (this.dirty) {
  7. this.value = this.get()
  8. this.dirty = false
  9. }
  10. return this.value
  11. }

evaluate 的逻辑非常简单,判断 this.dirty,如果为 true 则通过 this.get() 求值,然后把 this.dirty 设置为 false。在求值过程中,会执行 value = this.getter.call(vm, vm),这实际上就是执行了计算属性定义的 getter 函数,在我们这个例子就是执行了 return this.firstName + ‘ ‘ + this.lastName。
这里需要特别注意的是,由于 this.firstName 和 this.lastName 都是响应式对象,这里会触发它们的 getter,根据我们之前的分析,它们会把自身持有的 dep 添加到当前正在计算的 watcher 中,这个时候 Dep.target 就是这个 computed watcher。
最后通过 return this.value 拿到计算属性对应的值。我们知道了计算属性的求值过程,那么接下来看一下它依赖的数据变化后的逻辑。
一旦我们对计算属性依赖的数据做修改,则会触发 setter 过程,通知所有订阅它变化的 watcher 更新,执行 watcher.update() 方法:

  1. /* istanbul ignore else */
  2. if (this.computed) {
  3. // A computed property watcher has two modes: lazy and activated.
  4. // It initializes as lazy by default, and only becomes activated when
  5. // it is depended on by at least one subscriber, which is typically
  6. // another computed property or a component's render function.
  7. if (this.dep.subs.length === 0) {
  8. // In lazy mode, we don't want to perform computations until necessary,
  9. // so we simply mark the watcher as dirty. The actual computation is
  10. // performed just-in-time in this.evaluate() when the computed property
  11. // is accessed.
  12. this.dirty = true
  13. } else {
  14. // In activated mode, we want to proactively perform the computation
  15. // but only notify our subscribers when the value has indeed changed.
  16. this.getAndInvoke(() => {
  17. this.dep.notify()
  18. })
  19. }
  20. } else if (this.sync) {
  21. this.run()
  22. } else {
  23. queueWatcher(this)
  24. }

那么对于计算属性这样的 computed watcher,它实际上是有 2 种模式,lazy 和 active。如果 this.dep.subs.length === 0 成立,则说明没有人去订阅这个 computed watcher 的变化,仅仅把 this.dirty = true,只有当下次再访问这个计算属性的时候才会重新求值。在我们的场景下,渲染 watcher 订阅了这个 computed watcher 的变化,那么它会执行:

  1. this.getAndInvoke(() => {
  2. this.dep.notify()
  3. })
  4. getAndInvoke (cb: Function) {
  5. const value = this.get()
  6. if (
  7. value !== this.value ||
  8. // Deep watchers and watchers on Object/Arrays should fire even
  9. // when the value is the same, because the value may
  10. // have mutated.
  11. isObject(value) ||
  12. this.deep
  13. ) {
  14. // set new value
  15. const oldValue = this.value
  16. this.value = value
  17. this.dirty = false
  18. if (this.user) {
  19. try {
  20. cb.call(this.vm, value, oldValue)
  21. } catch (e) {
  22. handleError(e, this.vm, `callback for watcher "${this.expression}"`)
  23. }
  24. } else {
  25. cb.call(this.vm, value, oldValue)
  26. }
  27. }
  28. }

getAndInvoke 函数会重新计算,然后对比新旧值,如果变化了则执行回调函数,那么这里这个回调函数是 this.dep.notify(),在我们这个场景下就是触发了渲染 watcher 重新渲染。
通过以上的分析,我们知道计算属性本质上就是一个 computed watcher,也了解了它的创建过程和被访问触发 getter 以及依赖更新的过程,其实这是最新的计算属性的实现,之所以这么设计是因为 Vue 想确保不仅仅是计算属性依赖的值发生变化,而是当计算属性最终计算的值发生变化才会触发渲染 watcher 重新渲染,本质上是一种优化。
接下来我们来分析一下侦听属性 watch 是怎么实现的。

初始化 watch

  1. function initWatch (vm: Component, watch: Object) {
  2. for (const key in watch) {
  3. const handler = watch[key]
  4. if (Array.isArray(handler)) {
  5. for (let i = 0; i < handler.length; i++) {
  6. createWatcher(vm, key, handler[i])
  7. }
  8. } else {
  9. createWatcher(vm, key, handler)
  10. }
  11. }
  12. }

这里就是对 watch 对象做遍历,拿到每一个 handler,因为 Vue 是支持 watch 的同一个 key 对应多个 handler,所以如果 handler 是一个数组,则遍历这个数组,调用 createWatcher 方法,否则直接调用 createWatcher:

  1. function createWatcher (
  2. vm: Component,
  3. expOrFn: string | Function,
  4. handler: any,
  5. options?: Object
  6. ) {
  7. if (isPlainObject(handler)) {
  8. options = handler
  9. handler = handler.handler
  10. }
  11. if (typeof handler === 'string') {
  12. handler = vm[handler]
  13. }
  14. return vm.$watch(expOrFn, handler, options)
  15. }

这里的逻辑也很简单,首先对 hanlder 的类型做判断,拿到它最终的回调函数,最后调用 vm.$watch(keyOrFn, handler, options) 函数,$watch 是 Vue 原型上的方法,它是在执行 stateMixin 的时候定义的:

  1. Vue.prototype.$watch = function (
  2. expOrFn: string | Function,
  3. cb: any,
  4. options?: Object
  5. ): Function {
  6. const vm: Component = this
  7. if (isPlainObject(cb)) {
  8. return createWatcher(vm, expOrFn, cb, options)
  9. }
  10. options = options || {}
  11. options.user = true
  12. const watcher = new Watcher(vm, expOrFn, cb, options)
  13. if (options.immediate) {
  14. cb.call(vm, watcher.value)
  15. }
  16. return function unwatchFn () {
  17. watcher.teardown()
  18. }
  19. }

也就是说,侦听属性 watch 最终会调用 $watch 方法,这个方法首先判断 cb 如果是一个对象,则调用 createWatcher 方法,这是因为 $watch 方法是用户可以直接调用的,它可以传递一个对象,也可以传递函数。接着执行 const watcher = new Watcher(vm, expOrFn, cb, options) 实例化了一个 watcher,这里需要注意一点这是一个 user watcher,因为 options.user = true。通过实例化 watcher 的方式,一旦我们 watch 的数据发送变化,它最终会执行 watcher 的 run 方法,执行回调函数 cb,并且如果我们设置了 immediate 为 true,则直接会执行回调函数 cb。最后返回了一个 unwatchFn 方法,它会调用 teardown 方法去移除这个 watcher。
所以本质上侦听属性也是基于 Watcher 实现的,它是一个 user watcher。
Watcher 的构造函数对 options 做的了处理,代码如下:

  1. if (options) {
  2. this.deep = !!options.deep
  3. this.user = !!options.user
  4. this.computed = !!options.computed
  5. this.sync = !!options.sync
  6. // ...
  7. } else {
  8. this.deep = this.user = this.computed = this.sync = false
  9. }

所以 Watcher 总共有四种类型:

  • deep Watcher
  • user Watcher
  • computed Watcher
  • sync Watcher

    deep Watcher

    通常,如果我们想对一下对象做深度观测的时候,需要设置这个属性为 true,考虑到这种情况:
    1. var vm = new Vue({
    2. data() {
    3. a: {
    4. b: 1
    5. }
    6. },
    7. watch: {
    8. a: {
    9. handler(newVal) {
    10. console.log(newVal)
    11. }
    12. }
    13. }
    14. })
    15. vm.a.b = 2
    这个时候是不会 log 任何数据的,因为我们是 watch 了 a 对象,只触发了 a 的 getter,并没有触发 a.b 的 getter,所以并没有订阅它的变化,导致我们对 vm.a.b = 2 赋值的时候,虽然触发了 setter,但没有可通知的对象,所以也并不会触发 watch 的回调函数了。
    而我们只需要对代码做稍稍修改,就可以观测到这个变化了
    1. watch: {
    2. a: {
    3. deep: true,
    4. handler(newVal) {
    5. console.log(newVal)
    6. }
    7. }
    8. }
    这样就创建了一个 deep watcher 了,在 watcher 执行 get 求值的过程中有一段逻辑:
    1. get() {
    2. let value = this.getter.call(vm, vm)
    3. // ...
    4. if (this.deep) {
    5. traverse(value)
    6. }
    7. }
    在对 watch 的表达式或者函数求值后,会调用 traverse 函数,它的定义在 src/core/observer/traverse.js 中: ```javascript import { _Set as Set, isObject } from ‘../util/index’ import type { SimpleSet } from ‘../util/index’ import VNode from ‘../vdom/vnode’

const seenObjects = new Set()

/**

  • Recursively traverse an object to evoke all converted
  • getters, so that every nested property inside the object
  • is collected as a “deep” dependency. */ export function traverse (val: any) { _traverse(val, seenObjects) seenObjects.clear() }

function traverse (val: any, seen: SimpleSet) { let i, keys const isA = Array.isArray(val) if ((!isA && !isObject(val)) || Object.isFrozen(val) || val instanceof VNode) { return } if (val.ob) { const depId = val._ob.dep.id if (seen.has(depId)) { return } seen.add(depId) } if (isA) { i = val.length while (i—) _traverse(val[i], seen) } else { keys = Object.keys(val) i = keys.length while (i—) _traverse(val[keys[i]], seen) } }

  1. traverse 的逻辑也很简单,它实际上就是对一个对象做深层递归遍历,因为遍历过程中就是对一个子对象的访问,会触发它们的 getter 过程,这样就可以收集到依赖,也就是订阅它们变化的 watcher,这个函数实现还有一个小的优化,遍历过程中会把子响应式对象通过它们的 dep id 记录到 seenObjects,避免以后重复访问。<br />那么在执行了 traverse 后,我们再对 watch 的对象内部任何一个值做修改,也会调用 watcher 的回调函数了。<br />对 deep watcher 的理解非常重要,今后工作中如果大家观测了一个复杂对象,并且会改变对象内部深层某个值的时候也希望触发回调,一定要设置 deep true,但是因为设置了 deep 后会执行 traverse 函数,会有一定的性能开销,所以一定要根据应用场景权衡是否要开启这个配置。
  2. <a name="UEvDz"></a>
  3. ### user Watcher
  4. 前面我们分析过,通过 vm.$watch 创建的 watcher 是一个 user watcher,其实它的功能很简单,在对 watcher 求值以及在执行回调函数的时候,会处理一下错误,如下:
  5. ```javascript
  6. get() {
  7. if (this.user) {
  8. handleError(e, vm, `getter for watcher "${this.expression}"`)
  9. } else {
  10. throw e
  11. }
  12. },
  13. getAndInvoke() {
  14. // ...
  15. if (this.user) {
  16. try {
  17. this.cb.call(this.vm, value, oldValue)
  18. } catch (e) {
  19. handleError(e, this.vm, `callback for watcher "${this.expression}"`)
  20. }
  21. } else {
  22. this.cb.call(this.vm, value, oldValue)
  23. }
  24. }

handleError 在 Vue 中是一个错误捕获并且暴露给用户的一个利器。

computed Watcher

computed watcher 几乎就是为计算属性量身定制的,我们刚才已经对它做了详细的分析,这里不再赘述了。

sync Watcher

不把更新watcher放到nextTick队列 而是立即执行更新

在我们之前对 setter 的分析过程知道,当响应式数据发送变化后,触发了 watcher.update(),只是把这个 watcher 推送到一个队列中,在 nextTick 后才会真正执行 watcher 的回调函数。而一旦我们设置了 sync,就可以在当前 Tick 中同步执行 watcher 的回调函数。

  1. update () {
  2. if (this.computed) {
  3. // ...
  4. } else if (this.sync) {
  5. this.run()
  6. } else {
  7. queueWatcher(this)
  8. }
  9. }

只有当我们需要 watch 的值的变化到执行 watcher 的回调函数是一个同步过程的时候才会去设置该属性为 true。

immediate Watcher

将实例作为参数传入立即执行回调函数。

参考链接

https://ustbhuangyi.github.io/vue-analysis/v2/reactive/computed-watcher.html#watch