Source code reveals why Vue2 this can directly obtain data and methods

Source code reveals why Vue2 this can directly obtain data and methods

1. Example: this can directly get data and methods

Example:

const vm = new Vue({
    data: {
        name: 'I am Ruochuan',
    },
    methods: {
        sayName(){
            console.log(this.name);
        }
    },
});
console.log(vm.name); // I am Ruochuanconsole.log(vm.sayName()); // I am Ruochuan

This way I can output that I am Ruochuan. Curious people will wonder why this can be accessed directly.

So why can this.xxx get the data in data and methods ?
How can we achieve the effect similar to Vue by constructing the functions we write ourselves?

function Person(options){

}

const p = new Person({
    data: {
        name: '若川'
    },
    methods: {
        sayName(){
            console.log(this.name);
        }
    }
});

console.log(p.name);
// undefined
console.log(p.sayName());
// Uncaught TypeError: p.sayName is not a function

If it were you, how would you achieve it? With these questions, let's debug the Vue2 source code and learn.

2. Prepare the environment and debug the source code to find out more

You can create a new folder examples locally and a new file index.html .
Add the following js in <body></body> .

<script src="https://unpkg.com/[email protected]/dist/vue.js"></script>
<script>
    const vm = new Vue({
        data: {
            name: 'I am Ruochuan',
        },
        methods: {
            sayName(){
                console.log(this.name);
            }
        },
    });
    console.log(vm.name);
    console.log(vm.sayName());
</script>

Then install npm i -g http-server globally to start the service.

npm i -g http-server
cd examples
http-server .
// If the port is occupied, you can also specify the port http-server -p 8081 .

In this way, you can open the的index.html page you just wrote at http://localhost:8080/ .

Debug: Open debugging in F12, source panel, in the example const vm = new Vue({, set a breakpoint.

After refreshing the page, press F11 to enter the function. The breakpoint will enter the Vue constructor.

2.1 Vue Constructor

function Vue (options) {
    if (!(this instanceof Vue)
    ) {
        warn('Vue is a constructor and should be called with the `new` keyword');
    }
    this._init(options);
}
// Initialize initMixin(Vue);
stateMixin(Vue);
eventsMixin(Vue);
lifecycleMixin(Vue);
renderMixin(Vue);

It is worth mentioning that :if (!(this instanceof Vue)){} determines whether the constructor is called using the new keyword.
Generally speaking, we usually wouldn’t think about writing this.
Of course, you can also call new inside your own function by looking at the source code library. But generally a vue project only needs new Vue() once, so it is not necessary.
The jQuery source code is internally new, which means there is no new structure for users.

jQuery = function( selector, context ) {
  // Return the new object return new jQuery.fn.init( selector, context );
};

Because jQuery is often called.
In fact, jQuery can also be new . This has the same effect as not using new.

Debugging: Continue to set a breakpoint at this._init(options); and press F11 to enter the function.

2.2 _init initialization function

After entering the _init function, this function is relatively long and does a lot of things. We guess that the implementation related to data and methods is in initState(vm) function.

// Code has been deleted function initMixin (Vue) {
    Vue.prototype._init = function (options) {
      var vm = this;
      // a uid
      vm._uid = uid$3++;

      // a flag to avoid this being observed
      vm._isVue = true;
      // merge options
      if (options && options._isComponent) {
        // optimize internal component instantiation
        // since dynamic options merging is pretty slow, and none of the
        // internal component options needs special treatment.
        initInternalComponent(vm, options);
      } else {
        vm.$options = mergeOptions(
          resolveConstructorOptions(vm.constructor),
          options || {},
          vm
        );
      }

      // expose real self
      vm._self = vm;
      initLifecycle(vm);
      initEvents(vm);
      initRender(vm);
      callHook(vm, 'beforeCreate');
      initInjections(vm); // resolve injections before data/props
      // Initialization state initState(vm);
      initProvide(vm); // resolve provide after data/props
      callHook(vm, 'created');
    };
}

Debug: Next, we set a breakpoint in initState(vm) function. Press F8 to jump directly to this breakpoint, and then press F11 to enter the initState function.

2.3 initState Initialization state

Judging from the function name, the main functions of this function are:

  • Initializing props
  • Initialization methods
  • Monitoring data
  • Initialize computed
  • Initialize watch
function initState (vm) {
    vm._watchers = [];
    var opts = vm.$options;
    if (opts.props) { initProps(vm, opts.props); }
    // There are methods passed in, initialization method if (opts.methods) { initMethods(vm, opts.methods); }
    // Input data, initialize data
    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);
    }
}

We will focus on initialization methods and then initialization data .

Debugging: Set a breakpoint at initMethods and initData(vm) . After reading the initMethods function, you can directly press F8 to return to the initData(vm) function. Continue to press F11 and enter the initMethods function first.

2.4 initMethods Initialization Method

function initMethods (vm, methods) {
    var props = vm.$options.props;
    for (var key in methods) {
      {
        if (typeof methods[key] !== 'function') {
          warn(
            "Method \"" + key + "\" has type \"" + (typeof methods[key]) + "\" in the component definition. " +
            "Did you reference the function correctly?",
            vm
          );
        }
        if (props && hasOwn(props, key)) {
          warn(
            ("Method \"" + key + "\" has already been defined as a prop."),
            vm
          );
        }
        if ((key in vm) && isReserved(key)) {
          warn(
            "Method \"" + key + "\" conflicts with an existing Vue instance method. " +
            "Avoid defining component methods that start with _ or $."
          );
        }
      }
      vm[key] = typeof methods[key] !== 'function' ? noop : bind(methods[key], vm);
    }
}

The initMethods function mainly has some judgments.

  • Determine whether each item in methods is a function, if not, warn.
  • Determine whether each item in methods conflicts with props. If so, warn.
  • Determine whether each item in methods already exists on the new Vue instance vm, and whether the method name starts with the reserved _ $ (generally refers to the internal variable identifier in JS). If so, warn.

Apart from these judgments, we can see that the initMethods function actually traverses the passed in methods object, and uses bind binding function to point to vm, which is the instance object of new Vue .

This is why we can directly access the functions in methods through this.

We can move the mouse to the bind variable and press the alt key to see where the function is defined. This is line 218. Click to jump here to see the implementation of bind.

2.4.1 bind returns a function and changes what this points to

function polyfillBind (fn, ctx) {
    function boundFn (a) {
      var l = arguments.length;
      return l
        ? l > 1
          ? fn.apply(ctx, arguments)
          : fn.call(ctx, a)
        : fn.call(ctx)
    }

    boundFn._length = fn.length;
    return boundFn
}

function nativeBind (fn, ctx) {
  return fn.bind(ctx)
}

var bind = Function.prototype.bind
  ? nativeBind
  :polyfillBind;

Simply put, it is compatible with the old version that does not support the native bind function. At the same time, it is compatible with writing methods, makes judgments on the number of parameters, and uses call and apply to implement it. It is said that this is due to performance issues.
If you are not familiar with the usage and implementation of call , apply , and bind , can you simulate and implement call and apply methods of JS?

Debugging: After reading the initMethods function, press F8 to return to the initData(vm) function breakpoint mentioned above.

2.5 initData Initialize data

  • initData function also makes some judgments. The main things done are as follows:
  • Assign a value to _data first for later use.
  • data finally obtained is not an object and a warning is given.
  • Traverse data , each of which:
  • If there is a conflict with methods , a warning will be issued.
  • If there is a conflict with props , a warning will be issued.
  • It is not an internal private reserved attribute. It acts as a proxy to _data .
  • Finally, monitor data and make it responsive.
function initData (vm) {
    var data = vm.$options.data;
    data = vm._data = typeof data === 'function'
      ? getData(data, vm)
      : data || {};
    if (!isPlainObject(data)) {
      data = {};
      warn(
        'data functions should return an object:\n' +
        'https://vuejs.org/v2/guide/components.html#data-Must-Be-a-Function',
        vm
      );
    }
    // proxy data on instance
    var keys = Object.keys(data);
    var props = vm.$options.props;
    var methods = vm.$options.methods;
    var i = keys.length;
    while (i--) {
      var key = keys[i];
      {
        if (methods && hasOwn(methods, key)) {
          warn(
            ("Method \"" + key + "\" has already been defined as a data property."),
            vm
          );
        }
      }
      if (props && hasOwn(props, key)) {
        warn(
          "The data property \"" + key + "\" is already declared as a prop. " +
          "Use prop default value instead.",
          vm
        );
      } else if (!isReserved(key)) {
        proxy(vm, "_data", key);
      }
    }
    // observe data
    observe(data, true /* asRootData */);
}

2.5.1 getData

If it is a function, call the function and execute it to get the object.

function getData (data, vm) {
    // #7573 disable dep collection when invoking data getters
    pushTarget();
    try {
      return data.call(vm, vm)
    } catch (e) {
      handleError(e, vm, "data()");
      return {}
    finally
      popTarget();
    }
}

2.5.2 Proxy

In fact, Object.defineProperty is used to define the object. The purpose here is: this.xxx is to access this._data.xxx。

/**
   * Perform no operation.
   * Stubbing args to make Flow happy without leaving useless transpiled code
   * with ...rest (https://flow.org/blog/2017/05/07/Strict-Function-Call-Arity/).
   */
function noop (a, b, c) {}
var sharedPropertyDefinition = {
    enumerable: true,
    configurable: true,
    get: noop,
    set: noop
};

function proxy (target, sourceKey, key) {
    sharedPropertyDefinition.get = function proxyGetter () {
      return this[sourceKey][key]
    };
    sharedPropertyDefinition.set = function proxySetter (val) {
      this[sourceKey][key] = val;
    };
    Object.defineProperty(target, key, sharedPropertyDefinition);
}

2.5.3 Object.defineProperty defines object properties

  • Object.defineProperty is a very important API. There is also an API for defining multiple properties: Object.defineProperties(obj, props) (ES5)
  • Object.defineProperty involves some important knowledge points and is often tested in interviews.
  • value – The value to be returned when trying to get the property.
  • writable - whether the property is writable.
  • enumerable - whether the property will be enumerated in a for in loop.
  • configurable - whether the property can be deleted.
  • set() — The function called by update operations on this property.
  • get() —The function called to get the value of a property.

2.6 Some functions that appear in the article, finally explained in a unified way

2.6.1 hasOwn Is it a property owned by the object itself?

In debug mode, press the alt key and move the mouse over the method name to see where the function is defined. Click to jump.
/**
   * Check whether an object has the property.
   */
var hasOwnProperty = Object.prototype.hasOwnProperty;
function hasOwn (obj, key) {
  return hasOwnProperty.call(obj, key)
}

hasOwn({ a: undefined }, 'a') // true
hasOwn({}, 'a') // false
hasOwn({}, 'hasOwnProperty') // false
hasOwn({}, 'toString') // false
// It is a property of the property itself, not searched upward through the prototype chain.

2.6.2 isReserved Whether it is an internal private reserved string starting with $ and _

/**
   * Check if a string starts with $ or _
   */
function isReserved(str) {
  var c = (str + '').charCodeAt(0);
  return c === 0x24 || c === 0x5F
}
isReserved('_data'); // true
isReserved('$options'); // true
isReserved('data'); // false
isReserved('options'); // false

3. Finally, a simplified version is implemented with more than 60 lines of code

function noop (a, b, c) {}
var sharedPropertyDefinition = {
    enumerable: true,
    configurable: true,
    get: noop,
    set: noop
};
function proxy (target, sourceKey, key) {
    sharedPropertyDefinition.get = function proxyGetter () {
      return this[sourceKey][key]
    };
    sharedPropertyDefinition.set = function proxySetter (val) {
      this[sourceKey][key] = val;
    };
    Object.defineProperty(target, key, sharedPropertyDefinition);
}
function initData(vm){
  const data = vm._data = vm.$options.data;
  const keys = Object.keys(data);
  var i = keys.length;
  while (i--) {
    var key = keys[i];
    proxy(vm, '_data', key);
  }
}
function initMethods(vm, methods){
  for (var key in methods) {
    vm[key] = typeof methods[key] !== 'function' ? noop : methods[key].bind(vm);
  } 
}

function Person(options){
  let vm = this;
  vm.$options = options;
  var opts = vm.$options;
  if(opts.data){
    initData(vm);
  }
  if(opts.methods){
    initMethods(vm, opts.methods)
  }
}

const p = new Person({
    data: {
        name: '若川'
    },
    methods: {
        sayName(){
            console.log(this.name);
        }
    }
});

console.log(p.name);
// Before implementation: undefined
// '若川'
console.log(p.sayName());
// Before implementation: Uncaught TypeError: p.sayName is not a function
// '若川'

4. Conclusion

The basic knowledge involved in this article is mainly as follows:

  • Constructor
  • this points to
  • call , bind , apply
  • Object.defineProperty

This article is intended to answer questions raised by the source code readers. It describes in detail how to debug the Vue source code to find the answer.
Answering the questions at the beginning of the article:
The reason for directly accessing the function in methods through this is: because the method in methods specifies this as new Vue instance (vm) through bind.
The reason for directly accessing the data in data through this is that the properties in data will eventually be stored in the _data object on the new Vue instance (vm). Accessing this.xxx is accessing this._data.xxx。 after Object.defineProperty proxy.
The advantage of this design of Vue is that it is easy to obtain. There is also an inconvenience, that is, props , methods and data are prone to conflicts.
The article is not difficult as a whole, but readers are strongly recommended to debug it by themselves. After debugging, you may find that the Vue source code is not as difficult as you imagined, and you can understand part of it.
Inspiration: When we work with common technologies, frameworks or libraries, we should stay curious and think more about the internal principles. Be able to know the facts and the reasons behind them. You can far surpass many people.
You may wonder why the this keyword can be omitted in the template syntax. In fact, with is used when compiling internal templates. Readers with more energy can explore this principle.

This is the end of this article about the source code revealing why Vue2 this can directly obtain data and methods . For more relevant content about Vue2 this directly obtaining data and methods, please search for previous articles on 123WORDPRESS.COM 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 how to dynamically refresh the table using vue2.0 combined with the DataTable plug-in
  • Comparison of the advantages of vue3 and vue2
  • Examples of using provide and inject in Vue2.0/3.0
  • Vue2.x configures routing navigation guards to implement user login and exit
  • In-depth study of vue2.x--Explanation of the h function
  • Vue2.x responsiveness simple explanation and examples
  • Summary of the advantages of Vue3 vs. Vue2
  • Vue2 implements provide inject to deliver responsiveness
  • A brief analysis of the responsiveness principle and differences of Vue2.0/3.0
  • vue2.x configuration from vue.config.js to project optimization
  • Handwritten Vue2.0 data hijacking example
  • Vue2.x - Example of using anti-shake and throttling

<<:  Detailed explanation of pure SQL statement method based on JPQL

>>:  mysql group by grouping multiple fields

Recommend

What is TypeScript?

Table of contents 1. JavaScript issues 2. Advanta...

How to dynamically modify the replication filter in mysql

MySQL dynamically modify replication filters Let ...

js array fill() filling method

Table of contents 1. fill() syntax 2. Use of fill...

About MySQL 8.0.13 zip package installation method

MySQL 8.0.13 has a data folder by default. This f...

Implementing search box function with search icon based on html css

Preface Let me share with you how to make a searc...

Solution to the lack of my.ini file in MySQL 5.7

What is my.ini? my.ini is the configuration file ...

How to implement responsiveness in Vue source code learning

Table of contents Preface 1. Key Elements of a Re...

How to query whether the mysql table is locked

Specific method: (Recommended tutorial: MySQL dat...

Mysql database master-slave separation example code

introduce Setting up read-write separation for th...

Do you know how many connections a Linux server can handle?

Preface First, let's see how to identify a TC...

In-depth explanation of Session and Cookie in Tomcat

Preface HTTP is a stateless communication protoco...