Preface Vue3's responsiveness is based on Proxy. Compared with the Object.definedProperty method used in Vue2, the use of Proxy has good support for intercepting newly added objects and arrays. Vue3's responsiveness is an independent system that can be extracted and used. So how is it achieved? We all know about Getter and Setter, so what are the main operations in Getter and Setter to achieve responsiveness? Humph, let’s take a look at these questions together. The article will implement a complete responsive system step by step (wrong)~. start The observer-util library is written using the same idea as Vue3. The implementation in Vue3 is more complicated. Let’s start with a purer library (I won’t admit this because there are some things in Vue3 that I don’t understand, I won’t). According to the example of the official website: import { observable, observe } from '@nx-js/observer-util'; const counter = observable({ num: 0 }); const countLogger = observe(() => console.log(counter.num)); // this calls countLogger and logs 1 counter.num++; These two are similar to reactive and normal responsive in Vue3. The object after observable is added with a proxy, and the response function added to the observer will be called once when the dependent property changes. A little thought The rough idea here is a subscription and publishing model. The object after being proxied by observable establishes a publisher warehouse. Observe will subscribe to counter.num at this time, and then call back one by one when the subscribed content changes. // Add listener xxx.addEventListener('counter.num', () => console.log(counter.num)) // Change the content counter.num++ //Send notificationxxx.emit('counter.num', counter.num) The core of responsiveness is this. Adding listeners and sending notifications will be automatically completed through observable and observe. Code Implementation Based on the above considerations, in Getter we need to add the callback passed by observe to the subscription warehouse. registerRunningReactionForOperation({ target, key, receiver, type: 'get' }) const connectionStore = new WeakMap() // reactions can call each other and form a call stack const reactionStack = [] // register the currently running reaction to be queued again on obj.key mutations export function registerRunningReactionForOperation (operation) { // get the current reaction from the top of the stack const runningReaction = reactionStack[reactionStack.length - 1] if (runningReaction) { debugOperation(runningReaction, operation) registerReactionForOperation(runningReaction, operation) } } This function will get a reaction (that is, the callback passed by observe) and save it through registerReactionForOperation. export function registerReactionForOperation (reaction, { target, key, type }) { if (type === 'iterate') { key = ITERATION_KEY } const reactionsForObj = connectionStore.get(target) let reactionsForKey = reactionsForObj.get(key) if (!reactionsForKey) { reactionsForKey = new Set() reactionsForObj.set(key, reactionsForKey) } // save the fact that the key is used by the reaction during its current run if (!reactionsForKey.has(reaction)) { reactionsForKey.add(reaction) reaction.cleaners.push(reactionsForKey) } } A Set is generated here. According to the key, which is the key used in the actual business, the reaction is added to the Set. The entire structure is as follows: connectionStore<weakMap>: { // target eg: {num: 1} target: <Map>{ num: (reaction1, reaction2...) } } Note that the reaction here, const runningReaction = reactionStack[reactionStack.length - 1] is obtained through the global variable reactionStack. export function observe (fn, options = {}) { // wrap the passed function in a reaction, if it is not already one const reaction = fn[IS_REACTION] ? fn : function reaction () { return runAsReaction(reaction, fn, this, arguments) } // save the scheduler and debugger on the reaction reaction.scheduler = options.scheduler reaction.debugger = options.debugger // save the fact that this is a reaction reaction[IS_REACTION] = true // run the reaction once if it is not a lazy one if (!options.lazy) { reaction() } return reaction } export function runAsReaction (reaction, fn, context, args) { // do not build reactive relations, if the reaction is unobserved if (reaction.unobserved) { return Reflect.apply(fn, context, args) } // only run the reaction if it is not already in the reaction stack // TODO: improve this to allow explicitly recursive reactions if (reactionStack.indexOf(reaction) === -1) { // release the (obj -> key -> reactions) connections // and reset the cleaner connections releaseReaction(reaction) try { // set the reaction as the currently running one // this is required so that we can create (observable.prop -> reaction) pairs in the get trap reactionStack.push(reaction) return Reflect.apply(fn, context, args) finally // always remove the currently running flag from the reaction when it stops execution reactionStack.pop() } } } In runAsReaction, the incoming reaction (that is, the above const reaction = function() { runAsReaction(reaction) }) will execute its own wrapped function and push it into the stack, and execute fn. Here fn is the function we want to respond automatically. Executing this function will naturally trigger get, and this reaction will exist in reactionStack. Note here that if fn contains asynchronous code, the execution order of try finally is as follows: //Execute the contents of try, // If there is a return, the return content will be executed, but it will not return. It will return after executing finally, and there will be no blocking here. function test() { try { console.log(1); const s = () => { console.log(2); return 4; }; return s(); finally console.log(3) } } // 1 2 3 4 console.log(test()) So if the asynchronous code blocks and executes before the Getter, the dependency will not be collected. imitate The goal is to implement observable and observe as well as the derived computed in Vue. First, a guide map: function createObserve(obj) { let handler = { get: function (target, key, receiver) { let result = Reflect.get(target, key, receiver) track(target, key, receiver) return result }, set: function (target, key, value, receiver) { let result = Reflect.set(target, key, value, receiver) trigger(target, key, value, receiver) return result } } let proxyObj = new Proxy(obj, handler) return proxyObj } function observable(obj) { return createObserve(obj) } Here we only made a layer of Proxy encapsulation, like Vue should do a recursive encapsulation. The difference is that if only one layer of encapsulation is done, only the outer layer = operation can be detected, and the inner layer such as Array.push, or nested replacements cannot pass through set and get. Implementing Track In the track, we will push the currently triggered effect, that is, the content of observe or other content, into the relationship chain so that this effect can be called when triggered. const targetMap = new WeakMap() let activeEffectStack = [] let activeEffect function track(target, key, receiver?) { let depMap = targetMap.get(target) if (!depMap) { targetMap.set(target, (depMap = new Map())) } let dep = depMap.get(key) if (!dep) { depMap.set(key, ( dep = new Set() )) } if (!dep.has(activeEffect)) { dep.add(activeEffect) } } targetMap is a weakMap. The advantage of using weakMap is that when our observable object has no other references, it will be correctly garbage collected. This chain is the additional content we created, and it should not continue to exist if the original object does not exist. This will eventually form a: targetMap = { <Proxy or Object> observable: <Map>{ <a key in observable> key: ( observe, observe, observe... ) } } activeEffectStack and activeEffect are two global variables used for data exchange. In get, we will add the current activeEffect to the Set generated by the get key and save it, so that the set operation can get this activeEffect and call it again to achieve responsiveness. Implementing triggersfunction trigger(target, key, value, receiver?) { let depMap = targetMap.get(target) if (!depMap) { return } let dep = depMap.get(key) if (!dep) { return } dep.forEach((item) => item && item()) } The trigger here implements a minimal content according to the idea, just calling the effects added in get one by one. Implementing observe According to the mind map, in observe we need to push the passed function into activeEffectStack and call the function once to trigger get. function observe(fn:Function) { const wrapFn = () => { const reaction = () => { try { activeEffect = fn activeEffectStack.push(fn) return fn() finally activeEffectStack.pop() activeEffect = activeEffectStack[activeEffectStack.length - 1] } } return reaction() } wrapFn() return wrapFn } function may make a mistake, and the code in finally ensures that the corresponding one in activeEffectStack will be deleted correctly. test let p = observable({num: 0}) let j = observe(() => {console.log("i am observe:", p.num);) let e = observe(() => {console.log("i am observe2:", p.num)}) // i am observe: 1 // i am observe2: 1 p.num++ Implementing computed A very useful thing in Vue is computed properties, which are new values generated based on other properties and will automatically change when the other values it depends on change. class computedImpl { private _value private _setter private effect constructor(options) { this._value = undefined this._setter = undefined const { get, set } = options this._setter = set this.effect = observe(() => { this._value = get() }) } get value() { return this._value } set value (val) { this._setter && this._setter(val) } } function computed(fnOrOptions) { let options = { get: null, set: null } if (fnOrOptions instanceof Function) { options.get = fnOrOptions } else { const { get, set } = fnOrOptions options.get = get options.set = set } return new computedImpl(options) } There are two ways of computed. One is computed(function), which will be treated as get. The other is to set a setter. The setter is more like a callback and has nothing to do with other dependent properties. let p = observable({num: 0}) let j = observe(() => {console.log("i am observe:", p.num); return `i am observe: ${p.num}`}) let e = observe(() => {console.log("i am observe2:", p.num)}) let w = computed(() => { return 'I am computed 1:' + p.num }) let v = computed({ get: () => { return 'test computed getter' + p.num }, set: (val) => { p.num = `test computed setter${val}` } }) p.num++ // i am observe: 0 // i am observe2: 0 // i am observe: 1 // i am observe2: 1 // I am computed 1:1 console.log(w.value) v.value = 3000 console.log(w.value) // i am observe: test computed setter3000 // i am observe2: test computed setter3000 // I am computed 1:test computed setter3000 w.value = 1000 // No setter is set for w so it doesn't take effect // I am computed 1:test computed setter3000 console.log(w.value) This is the end of this article about how to implement Vue3 Reactivity. For more relevant Vue3 Reactivity content, 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 steps for installing, configuring and uninstalling QT5 in Ubuntu 14.04
>>: Linux MySQL root password forgotten solution
Use pure CSS to change the background color of a ...
Problem Description I want to achieve the followi...
Table of contents The creation and confusion of n...
Navigation, small amount of data table, centered &...
1. Install the built-in Linux subsystem of win10 ...
Introduction Use simple jQuery+CSS to create a cus...
MySQL implements Oracle-like sequences Oracle gen...
When href is needed to pass parameters, and the p...
This article example shares the specific code for...
The method found on the Internet works The footer ...
React project building can be very simple, but if...
Click here to return to the 123WORDPRESS.COM HTML ...
When the DataSource property of a DataGrid control...
When there is a lot of data to be displayed, the ...
Only show the top border <table frame=above>...