Vue interpretation of responsive principle source code analysis

Vue interpretation of responsive principle source code analysis

First look at the picture to understand the general process and what to do

initialization

When new Vue is initialized, the props and data of our component will be initialized. Since this article mainly introduces responsiveness, I will not explain the others in detail. Let's take a look at the source code.

Source code address: src/core/instance/init.js - line 15

export function initMixin (Vue: Class<Component>) {
  // Add the _init method to the prototype Vue.prototype._init = function (options?: Object) {
    ...
    vm._self = vm
    initLifecycle(vm) // Initialize instance properties and data: $parent, $children, $refs, $root, _watcher... etc. initEvents(vm) // Initialize events: $on, $off, $emit, $once
    initRender(vm) // Initialize rendering: render, mixin
    callHook(vm, 'beforeCreate') // Call the lifecycle hook function initInjections(vm) // Initialize inject
    initState(vm) // Initialize component data: props, data, methods, watch, computed
    initProvide(vm) // Initialize provide
    callHook(vm, 'created') // Call lifecycle hook function...
  }
}

Many methods are called here for initialization, each of which does different things, and the responsiveness mainly refers to the data props and data within the component. This part is in the initState() method, so let's go into the source code of this method and take a look.

initState()

Source code address: src/core/instance/state.js - line 49

export function initState (vm: Component) {
  vm._watchers = []
  const opts = vm.$options
  // Initialize props
  if (opts.props) initProps(vm, opts.props)
  // Initialization methods
  if (opts.methods) initMethods(vm, opts.methods)
  // Initialize data 
  if (opts.data) {
    initData(vm)
  } else {
    // If there is no data, the default value is an empty object, and observe(vm._data = {}, true /* asRootData */)
  }
  // Initialize computed
  if (opts.computed) initComputed(vm, opts.computed)
  // Initialize watch
  if (opts.watch && opts.watch !== nativeWatch) {
    initWatch(vm, opts.watch)
  }
}

Again, a bunch of initialization methods are called. Let's get straight to the point and take the ones related to our responsive data, namely initProps(), initData(), and observe()
Continue to pick them one by one, and understand the whole process of responsiveness.

initProps()

Source code address: src/core/instance/state.js - line 65

The main things done here are:

  • Traverse the props list passed in by the parent component
  • Verify the name, type, default attribute, etc. of each attribute. If there is no problem, call defineReactive to set it to responsive
  • Then use proxy() to proxy the properties to the current instance, such as changing vm._props.xx to vm.xx, and you can access
function initProps (vm: Component, propsOptions: Object) {
  // Parent component passes props to child component
  const propsData = vm.$options.propsData || {}
  // Final props after conversion
  const props = vm._props = {}
  //Store the key of props. Even if the props value is empty, the key will be in it const keys = vm.$options._propKeys = []
  const isRoot = !vm.$parent
  // Convert props of non-root instances
  if (!isRoot) {
    toggleObserving(false)
  }
  for (const key in propsOptions) {
    keys.push(key)
    // Check props type, default attributes, etc. const value = validateProp(key, propsOptions, propsData, vm)
    // In non-production environment if (process.env.NODE_ENV !== 'production') {
      const hyphenatedKey = hyphenate(key)
      if (isReservedAttribute(hyphenatedKey) ||
          config.isReservedAttr(hyphenatedKey)) {
        warn(`hyphenatedKey is a reserved property and cannot be used as a component prop`)
      }
      // Set props to be responsive defineReactive(props, key, value, () => {
        // Warn if user changes props if (!isRoot && !isUpdatingChildComponent) {
          warn(`Avoid changing props directly`)
        }
      })
    } else {
      // Set props to be responsive defineReactive(props, key, value)
    }
    // Proxy properties that are not on the default vm to the instance // so that vm._props.xx can be accessed through vm.xx if (!(key in vm)) {
      proxy(vm, `_props`, key)
    }
  }
  toggleObserving(true)
}

initData()

Source code address: src/core/instance/state.js - line 113

The main things done here are:

  • Initialize a data and get the keys set
  • Traverse the keys collection to determine whether there is a duplicate name with the property name in props or the method name in methods
  • If there is no problem, proxy each attribute in data to the current instance through proxy(), and you can access it through this.xx
  • Finally, call observe to monitor the entire data
function initData (vm: Component) {
  // Get the data of the current instance 
  let data = vm.$options.data
  // Determine the type of data data = vm._data = typeof data === 'function'
    ? getData(data, vm)
    : data || {}
  if (!isPlainObject(data)) {
    data = {}
    process.env.NODE_ENV !== 'production' && warn(`data function should return an object`)
  }
  // Get the data attribute name set of the current instance const keys = Object.keys(data)
  // Get the props of the current instance 
  const props = vm.$options.props
  // Get the methods object of the current instance const methods = vm.$options.methods
  let i = keys.length
  while (i--) {
    const key = keys[i]
    // In a non-production environment, determine whether the method in methods exists in props if (process.env.NODE_ENV !== 'production') {
      if (methods && hasOwn(methods, key)) {
        warn(`Method method cannot be declared repeatedly`)
      }
    }
    // In a non-production environment, determine whether the attribute in data exists in props if (props && hasOwn(props, key)) {
      process.env.NODE_ENV !== 'production' && warn(`Properties cannot be declared repeatedly`)
    } else if (!isReserved(key)) {
      // If the names are not the same, proxy to vm // vm._data.xx can access proxy(vm, `_data`, key) through vm.xx
    }
  }
  // Listen for data
  observe(data, true /* asRootData */)
}

observe()

Source code address: src/core/observer/index.js - line 110

This method is mainly used to add listeners to the data.

The main things done here are:

  • If it is a vnode object type or not a reference type, just exit
  • Otherwise, add an Observer, that is, a listener, to the data that has no Observer added
export function observe (value: any, asRootData: ?boolean): Observer | void {
  // If it is not of type 'object' or vnode, return directly if (!isObject(value) || value instanceof VNode) {
    return
  }
  let ob: Observer | void
  // Use cached object 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
  ) {
    // Create a listener ob = new Observer(value)
  }
  if (asRootData && ob) {
    ob.vmCount++
  }
  return ob
}

Observer

Source code address: src/core/observer/index.js - line 37

This is a class that converts normal data into observable data.

The main things done here are:

  • Mark the current value as a responsive attribute to avoid repeated operations
  • Then determine the data type
    • If it is an object, iterate over the object and call defineReactive() to create a responsive object.
    • If it is an array, iterate over the array and call observe() to monitor each element.
export class Observer {
  value: any;
  dep: Dep;
  vmCount: number; // The number of vms on the root object constructor (value: any) {
    this.value = value
    this.dep = new Dep()
    this.vmCount = 0
    // Add the __ob__ attribute to value, whose value is the Observe instance of value // This indicates that it has become responsive. The purpose is to skip directly when traversing the object to avoid repeated operations def(value, '__ob__', this)
    // Type judgment if (Array.isArray(value)) {
      // Determine whether the array has __proty__
      if (hasProto) {
        // If there is, rewrite the array method protoAugment(value, arrayMethods)
      } else {
        // If not, define the property value through def, that is, Object.defineProperty copyAugment(value, arrayMethods, arrayKeys)
      }
      this.observeArray(value)
    } else {
      this.walk(value)
    }
  }
  // If it is an object type walk (obj: Object) {
    const keys = Object.keys(obj)
    // Traverse all the properties of the object and convert it into a responsive object. Dynamically add getters and setters to achieve two-way binding for (let i = 0; i < keys.length; i++) {
      defineReactive(obj, keys[i])
    }
  }
  //ObserveArray (items: Array<any>) {
    // Traverse the array and monitor each element for (let i = 0, l = items.length; i < l; i++) {
      observe(items[i])
    }
  }
}

defineReactive()

Source code address: src/core/observer/index.js - line 135

The purpose of this method is to define a responsive object

The main things done here are:

  • First initialize a dep instance
  • If it is an object, call observe and listen recursively to ensure that no matter how deeply the structure is nested, it can become a responsive object.
  • Then call Object.defineProperty() to hijack the getter and getter of the object property
  • If the getter is triggered when getting, it will call dep.depend() to push the observer into the dependent array subs, that is, the dependent collection
  • If updated, the trigger setter will do the following
    • The new value has not changed or there is no setter property.
    • If the new value is an object, call observe() to monitor recursively
    • Then call dep.notify() to dispatch updates
export function defineReactive (
  obj: Object,
  key: string,
  val: any,
  customSetter?: ?Function,
  shallow?: boolean
) {

  // Create a dep instance const dep = new Dep()
  // Get the object's property descriptor const property = Object.getOwnPropertyDescriptor(obj, key)
  if (property && property.configurable === false) {
    return
  }
  // Get custom getters and setters
  const getter = property && property.get
  const setter = property && property.set
  if ((!getter || setter) && arguments.length === 2) {
    val = obj[key]
  }
  // If val is an object, recursively observe // ​​Recursively calling observe can ensure that no matter how deeply the object structure is nested, it can become a responsive object let childOb = !shallow && observe(val)
  //Intercept the getters and setters of object properties
  Object.defineProperty(obj, key, {
    enumerable: true,
    configurable: true,
    //Intercept getter, and the function will be triggered when the value is retrieved get: function reactiveGetter () {
      const value = getter ? getter.call(obj) : val
      // Perform dependency collection // When initializing the rendering watcher, access the object that requires two-way binding, thereby triggering the get function if (Dep.target) {
        dep.depend()
        if (childOb) {
          childOb.dep.depend()
          if (Array.isArray(value)) {
            dependArray(value)
          }
        }
      }
      return value
    },
    //Intercept setter, when the value changes, the function will be triggered set: function reactiveSetter (newVal) {
      const value = getter ? getter.call(obj) : val
      // Determine whether a change has occurred if (newVal === value || (newVal !== newVal && value !== value)) {
        return
      }
      if (process.env.NODE_ENV !== 'production' && customSetter) {
        customSetter()
      }
      // Accessor property without setter if (getter && !setter) return
      if (setter) {
        setter.call(obj, newVal)
      } else {
        val = newVal
      }
      // If the new value is an object, recursively observe childOb = !shallow && observe(newVal)
      // dispatch update dep.notify()
    }
  })
}

As mentioned above, dependency collection is done through dep.depend. It can be said that Dep is the core of the entire getter dependency collection.

Dependency Collection

The core of dependency collection is Dep, and it is inseparable from Watcher. Let's take a look

Dep

Source code address: src/core/observer/dep.js

This is a class that actually manages Watcher

First, initialize a subs array to store dependencies, that is, observers. Whoever depends on this data is in this array, and then define several methods to add, delete, notify updates, etc.

In addition, it has a static attribute target, which is a global Watcher, which also means that only one global Watcher can exist at the same time.

let uid = 0
export default class Dep {
  static target: ?Watcher;
  id: number;
  subs: Array<Watcher>;
  constructor () {
    this.id = uid++
    this.subs = []
  }
  // Add an observer addSub (sub: Watcher) {
    this.subs.push(sub)
  }
  // Remove the observer removeSub (sub: Watcher) {
    remove(this.subs, sub)
  }
  depend() {
    if (Dep.target) {
      //Call Watcher's addDep function Dep.target.addDep(this)
    }
  }
  // Distribute updates (described in the next section)
  notify () {
    ...
  }
}
// Only one observer is used at a time, assign observer Dep.target = null
const targetStack = []

export function pushTarget (target: ?Watcher) {
  targetStack.push(target)
  Dep.target = target
}

export function popTarget () {
  targetStack.pop()
  Dep.target = targetStack[targetStack.length - 1]
}

Watcher

Source code address: src/core/observer/watcher.js

Watcher is also a class, also called an observer (subscriber). The work done here is quite complicated, and it also connects rendering and compilation.

Let's look at the source code first, and then go through the entire dependency collection process.

let uid = 0
export default class Watcher {
  ...
  constructor (
    vm: Component,
    expOrFn: string | Function,
    cb: Function,
    options?: ?Object,
    isRenderWatcher?: boolean
  ) {
    this.vm = vm
    if (isRenderWatcher) {
      vm._watcher = this
    }
    vm._watchers.push(this)
    // Array of Dep instances held by the Watcher instance this.deps = []
    this.newDeps = []
    this.depIds = new Set()
    this.newDepIds = new Set()
    this.value = this.lazy
      ? undefined
      : this.get()
    if (typeof expOrFn === 'function') {
      this.getter = expOrFn
    } else {
      this.getter = parsePath(expOrFn)
    }
  }
  get () 
    // This function is used to cache Watcher
    // Because the component contains nested components, the Watcher of the parent component needs to be restored
    pushTarget(this)
    let value
    const vm = this.vm
    try {
      // Call the callback function, that is, upcateComponent, to evaluate the object that needs two-way binding, thereby triggering dependency collection value = this.getter.call(vm, vm)
    } catch (e) {
      ...
    finally
      // Deep monitoring if (this.deep) {
        traverse(value)
      }
      // Restore Watcher
      popTarget()
      // Clean up unnecessary dependencies this.cleanupDeps()
    }
    return value
  }
  // Call addDep (dep: Dep) when dependency collection {
    const id = dep.id
    if (!this.newDepIds.has(id)) {
      this.newDepIds.add(id)
      this.newDeps.push(dep)
      if (!this.depIds.has(id)) {
        // Push the current Watcher into the array dep.addSub(this)
      }
    }
  }
  // Clean up unnecessary dependencies (below)
  cleanupDeps() {
    ...
  }
  // Called when updates are dispatched (below)
  update () {
    ...
  }
  // Execute the watcher callback run () {
    ...
  }
  depend() {
    let i = this.deps.length
    while (i--) {
      this.deps[i].depend()
    }
  }
}

Replenish:

Why can the watch written in our own component automatically get the two parameters of new value and old value?

That is, the callback will be executed in watcher.run(), and the new value and the old value will be passed.

Why initialize two Dep instance arrays?

Because Vue is data-driven, every time the data changes, it will be re-rendered, that is, the vm.render() method will be re-executed and the getter will be triggered again, so two arrays are used to represent it, the newly added Dep instance array newDeps and the last added instance array deps

Dependency Collection Process

When rendering and mounting for the first time, there will be such a logic

mountComponent Source code address: src/core/instance/lifecycle.js - line 141

export function mountComponent (...): Component {
  //Call the life cycle hook function callHook(vm, 'beforeMount')
  let updateComponent
  updateComponent = () => {
    // Call _update to patch (that is, Diff) the virtual DOM returned by render to the real DOM. This is the first rendering vm._update(vm._render(), hydrating)
  }
  // Set an observer for the current component instance to monitor the data obtained by the updateComponent function. The following is an introduction new Watcher(vm, updateComponent, noop, {
    // When an update is triggered, before() will be called before the update {
      // Determine whether the DOM is mounted, that is, it will not be executed during the first rendering and unmounting if (vm._isMounted && !vm._isDestroyed) {
        //Call the lifecycle hook function callHook(vm, 'beforeUpdate')
      }
    }
  }, true /* isRenderWatcher */)
  // There is no old vnode, indicating that it is the first rendering if (vm.$vnode == null) {
    vm._isMounted = true
    //Call the life cycle hook function callHook(vm, 'mounted')
  }
  return vm
}

Dependency collection:

  • Before mounting, a rendering watcher will be instantiated, and the this.get() method will be executed when entering the watcher constructor
  • Then pushTarget(this) will be executed, which assigns Dep.target to the current rendering watcher and pushes it onto the stack (for recovery)
  • Then execute this.getter.call(vm, vm), which is the updateComponent() function above, which executes vm._update(vm._render(), hydrating)
  • Then execute vm._render() to generate a rendering vnode. During this process, the data on the vm will be accessed, which triggers the getter of the data object.
  • Each object value getter has a dep. When the getter is triggered, the dep.depend() method is called, which also executes Dep.target.addDep(this)
  • Then some judgments will be made here to ensure that the same data will not be added multiple times, and then the qualified data will be pushed to subs. At this point, the collection of dependencies has been completed, but it is not yet finished. If it is an object, the getter of all sub-items will be triggered recursively, and the Dep.target state must be restored.

Remove a subscription

Removing a subscription is done by calling the cleanupDeps() method. For example, if there is v-if in the template, we collect the dependencies in template a that meet the conditions. When the condition changes, template b is displayed and template a is hidden. At this time, you need to remove the dependency of a

The main things done here are:

  • First traverse the instance array deps added last time, and remove the subscription of Watcher in the dep.subs array
  • Then swap newDepIds with depIds, newDeps with deps
  • Then clear newDepIds and newDeps
// Clean up unnecessary dependencies 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
  }

Distribute Updates

notify()

When the setter is triggered, dep.notify() is called to notify all subscribers to distribute updates.

notify () {
    const subs = this.subs.slice()
    if (process.env.NODE_ENV !== 'production' && !config.async) {
      // If not asynchronous, sorting is required to ensure correct triggering subs.sort((a, b) => a.id - b.id)
    }
    // Traverse all watcher instance arrays for (let i = 0, l = subs.length; i < l; i++) {
      // Trigger update subs[i].update()
    }
  }

update()

Called when an update is triggered

  update () {
    if (this.lazy) {
      this.dirty = true
    } else if (this.sync) {
      this.run()
    } else {
      //Component data updates will go here queueWatcher(this)
    }
  }

queueWatcher()

Source code address: src/core/observer/scheduler.js - line 164

This is a queue, and it is also an optimization point when Vue distributes updates. That is to say, the watcher callback will not be triggered every time the data changes, but all these watchers are added to a queue and then executed after nextTick.

This overlaps with the logic of flushSchedulerQueue() in the next section, so we need to understand them together.

The main tasks are:

  • First use the has object to find the id to ensure that the same watcher will only push once
  • If a new watcher is inserted during the execution of the watcher, it will come here, and then search from the back to the front to find the first position where the id to be inserted is larger than the id in the current queue, and insert it into the queue, so that the length of the queue changes
  • Finally, by waiting, we ensure that nextTick will only be called once.
export function queueWatcher (watcher: Watcher) {
  // Get the watcher id
  const id = watcher.id
  // Check if the watcher with the current id has been pushed if (has[id] == null) {
    has[id] = true
    if (!flushing) {
      // First enter here queue.push(watcher)
    } else {
      // When executing the flushSchedulerQueue below, if there is a newly distributed update, it will enter here and insert a new watcher. The following is an introduction let i = queue.length - 1
      while (i > index && queue[i].id > watcher.id) {
        i--
      }
      queue.splice(i + 1, 0, watcher)
    }
    // Will enter here at first if (!waiting) {
      waiting = true
      if (process.env.NODE_ENV !== 'production' && !config.async) {
        flushSchedulerQueue()
        return
      }
      // Because each update dispatch will cause rendering, put all watchers in nextTick and call nextTick(flushSchedulerQueue)
    }
  }
}

flushSchedulerQueue()

Source code address: src/core/observer/scheduler.js - line 71

The main things done here are:

  • Sort the queue first. There are three sorting conditions. See the comments.
  • Then traverse the queue and execute the corresponding watcher.run(). It should be noted that the queue length will be evaluated each time it is traversed, because after the run, it is likely that a new watcher will be added, and then the above queueWatcher will be executed again.
function flushSchedulerQueue () {
  currentFlushTimestamp = getNow()
  flushing = true
  let watcher, id

  // Sort by id, the following conditions apply // 1. Component updates need to be in the order from parent to child, because the creation process is also parent first and then child // 2. The watcher we write in the component takes precedence over the rendering watcher
  // 3. If a component is destroyed while the parent component's watcher is running, skip this watcher
  queue.sort((a, b) => a.id - b.id)

  // Do not cache the queue length, because the queue length may change during the traversal for (index = 0; index < queue.length; index++) {
    watcher = queue[index]
    if (watcher.before) {
      //Execute the beforeUpdate lifecycle hook function watcher.before()
    }
    id = watcher.id
    has[id] = null
    // Execute the callback function of the watch we wrote in the component and render the component watcher.run()
    // Check and stop the loop update. For example, if the object is reassigned during the watcher process, an infinite loop will occur if (process.env.NODE_ENV !== 'production' && has[id] != null) {
      circular[id] = (circular[id] || 0) + 1
      if (circular[id] > MAX_UPDATE_COUNT) {
        warn(`infinite loop`)
        break
      }
    }
  }
  // Before resetting the state, keep a copy of the queue const activatedQueue = activatedChildren.slice()
  const updatedQueue = queue.slice()
  resetSchedulerState()
  // Call component activation hook activated
  callActivatedHooks(activatedQueue)
  // Call component update hook updated
  callUpdatedHooks(updatedQueue)
}

updated()

Finally, we can update. Everyone is familiar with updated, which is the life cycle hook function.

When callUpdatedHooks() is called above, it will enter here and execute updated

function callUpdatedHooks (queue) {
  let i = queue.length
  while (i--) {
    const watcher = queue[i]
    const vm = watcher.vm
    if (vm._watcher === watcher && vm._isMounted && !vm._isDestroyed) {
      callHook(vm, 'updated')
    }
  }
}

At this point, the source code of Vue2's responsive principle process has been basically analyzed. Next, I will introduce the shortcomings of the above process.

defineProperty defects and solutions

There are still some problems with using Object.defineProperty to implement responsive objects

  • For example, when adding a new property to an object, the setter cannot be triggered.
  • For example, changes in array elements cannot be detected

And these problems, Vue2 also has corresponding solutions

Vue.set()

When adding new responsive properties to an object, you can use a global API, the Vue.set() method

Source code address: src/core/observer/index.js - line 201

The set method accepts three parameters:

  • target: array or normal object
  • key: represents the array subscript or object key name
  • val: represents the new value to be replaced

The main things done here are:

  • First determine if it is an array and the subscript is legal, then directly use the rewritten splice to replace it
  • If it is an object, and key exists in target, replace the value
  • If there is no __ob__, it means it is not a responsive object, and the value is directly assigned and returned
  • Finally, make the new property responsive and dispatch updates
export function set (target: Array<any> | Object, key: any, val: any): any {
  if (process.env.NODE_ENV !== 'production' &&
    (isUndef(target) || isPrimitive(target))
  ) {
    warn(`Cannot set reactive property on undefined, null, or primitive value: ${(target: any)}`)
  }
  // If it is an array and the subscript is valid if (Array.isArray(target) && isValidArrayIndex(key)) {
    target.length = Math.max(target.length, key)
    // Use splice to replace directly. Note that the splice here is not native, so it can be detected. For details, see target.splice(key, 1, val) below
    return val
  }
  // This means it is an object // If the key exists in the target, it is directly assigned and can also be monitored if (key in target && !(key in Object.prototype)) {
    target[key] = val
    return val
  }
  // Get target.__ob__
  const ob = (target: any).__ob__
  if (target._isVue || (ob && ob.vmCount)) {
    process.env.NODE_ENV !== 'production' && warn(
      'Avoid adding reactive properties to a Vue instance or its root $data ' +
      'at runtime - declare it upfront in the data option.'
    )
    return val
  }
  // As introduced in Observer, if this attribute is missing, it means it is not a responsive object if (!ob) {
    target[key] = val
    return val
  }
  // Then make the newly added attribute responsive defineReactive(ob.value, key, val)
  // Manually dispatch updates ob.dep.notify()
  return val
}

Overriding Array Methods

Source code address: src/core/observer/array.js

The main things done here are:

  • Save a list of methods that change the array
  • When executing a method in the list, such as push, first save the original push, then do responsive processing, and then execute this method
// Get the prototype of the array const arrayProto = Array.prototype
// Create an object that inherits the array prototype export const arrayMethods = Object.create(arrayProto)
// Will change the method list of the original array const methodsToPatch = [
  'push',
  'pop',
  'shift',
  'unshift',
  'splice',
  'sort',
  'reverse'
]
// Rewrite array event methodsToPatch.forEach(function (method) {
  //Save the original event const original = arrayProto[method]
  // Create a responsive object def(arrayMethods, method, function mutator (...args) {
    const result = original.apply(this, args)
    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)
    // Distribute updates ob.dep.notify()
    // After completing the processing we need, execute the original event and return result
  })
})

Summarize

This is the end of this article about Vue's interpretation of the responsive principle source code analysis. For more relevant Vue responsive principle source code content, please search 123WORDPRESS.COM's previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Detailed explanation of VUE responsiveness principle
  • Example of Vue's implementation of the underlying code for simulating responsive principles
  • In-depth analysis of Vue's responsive principle and bidirectional data
  • A brief analysis of the responsiveness principle and differences of Vue2.0/3.0
  • Detailed explanation of the data responsiveness principle of Vue
  • Detailed analysis of the Vue responsiveness principle
  • Detailed explanation of Vue3's responsive principle

<<:  How to view and optimize MySql indexes

>>:  Solution to the problem that docker CMD/ENTRYPOINT executes the sh script: not found/run.sh:

Recommend

Vue implements top left and right sliding navigation

Navigation and other things are often used in dai...

How to view the IP address of the Docker container

I always thought that Docker had no IP address. I...

What are the drawbacks of deploying the database in a Docker container?

Preface Docker has been very popular in the past ...

A brief discussion on creating cluster in nodejs

Table of contents cluster Cluster Details Events ...

Implementation of mysql data type conversion

1. Problem There is a table as shown below, we ne...

Detailed steps for building a React application with a Rails API

Table of contents Backend: Rails API part Front-e...

Detailed explanation of MySQL backup and recovery practice of mysqlbackup

1. Introduction to mysqlbackup mysqlbackup is the...

Understanding of haslaylout and bfc parsing

1. haslayout and bfc are IE-specific and standard ...

JavaScript to achieve product magnifying glass effect

This article shares the specific code of JavaScri...

JavaScript to achieve balance digital scrolling effect

Table of contents 1. Implementation Background 2....

Detailed explanation of MySQL InnoDB index extension

Index extension: InnoDB automatically extends eac...

How to install and configure SSH service in Ubuntu 18.04

Install ssh tool 1. Open the terminal and type th...

Summary of Mysql-connector-java driver version issues

Mysql-connector-java driver version problem Since...

Learn the operating mechanism of jsBridge in one article

Table of contents js calling method Android 1.js ...