0%

vue2-vue3

Vue3 optimization

Differences of Vue2 and Vue3

Performance

  • diff Algorithm
    • VNodes in Vue2 will be completely compared
    • Vue3 adds a static flag(PatchFlat). While comparing, only nodes with static flags are compared, and the specific comparison content can be learned through the flags

Vue2 diff

In a word,The pointers on sides both are compared and move to the middle until oldCn or newCn traversed completely. When the object is too large will be slowly

PatchFlag is roughly is divided into two types

  1. Greater than 0,it’s an element that can be optimized and updated during patch VNode or render
  2. Less than 0, the element needs full diff

In this way, the element that don’t need to update will only be created by once,and directly reused when render

1
2
3
<div>Hello World!</div>
<div>{{msg}}</div>
<div>SmallStars</div>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
import {
createElementVNode as _createElementVNode,
toDisplayString as _toDisplayString,
Fragment as _Fragment,
openBlock as _openBlock,
createElementBlock as _createElementBlock,
} from "vue";

const _hoisted_1 = /*#__PURE__*/ _createElementVNode(
"div",
null,
"Hello World!",
-1 /* HOISTED */
);
const _hoisted_2 = /*#__PURE__*/ _createElementVNode(
"div",
null,
"SmallStars",
-1 /* HOISTED */
);

export function render(_ctx, _cache, $props, $setup, $data, $options) {
return (
_openBlock(),
_createElementBlock(
_Fragment,
null,
[
_hoisted_1,
_createElementVNode(
"div",
null,
_toDisplayString(_ctx.msg),
1 /* TEXT */
),
_hoisted_2,
],
64 /* STABLE_FRAGMENT */
)
);
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
// Patch flags can be combined using the | bitwise operator and can be checked using the & operator, e.g.
// const flag = TEXT | CLASS
// if (flag & TEXT)
export const enum PatchFlags {
TEXT = 1,
CLASS = 1 << 1,
STYLE = 1 << 2,
PROPS = 1 << 3,
FULL_PROPS = 1 << 4,
HYDRATE_EVENTS = 1 << 5,
STABLE_FRAGMENT = 1 << 6,
KEYED_FRAGMENT = 1 << 7,
UNKEYED_FRAGMENT = 1 << 8,
NEED_PATCH = 1 << 9,
DYNAMIC_SLOTS = 1 << 10,
// Special flags are not used in optimization
HOISTED = -1,
BAIL = -2,
}
  • Cache of events
1
2
3
4
5
6
7
8
9
<button @click="btnClick">SmallStars</button>
import { openBlock as _openBlock, createElementBlock as _createElementBlock } from "vue"
export function render(_ctx, _cache, $props, $setup, $data, $options){
return (_openBlock(),
_createElementBlock("button",
{onClick: _cache[0] || (_cache[0] = (...args) => (_ctx.btnClick && _ctx.btnClick(...args)))},
"SmallStars")
)
} // Check the console for the AST

Build of used

Vue3 introduces the Tree shaking feature, which removes useless code when packing, reduces the volume of the packaging, and reduces the execution time of the program

Fragment, Teleport, Suspense

  • Fragment

    Vue2 instance only has only one root node, because it needs to be bound to a DOM element. Fragment label resolved this problem in Vue3, and it doesn’t display in DOM

  • Teleport

    Component Development encourages us build our UIs and actions to into components, these components are combined into a component tree. However, sometimes a part of components’ template belong to those components logically, it would be preferable to move this part to somewhere else in DOM, outside of the Vue app. For example, the modal of full-screen.

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    <body>
    <noscript>
    <strong>We're sorry but <%= htmlWebpackPlugin.options.title %> doesn't work properly without JavaScript enabled. Please enable it to continue.</strong>
    </noscript>
    <div id="app"></div>
    // Add a new anchor point
    <div id="modal"></div>
    <!-- built files will be auto injected -->
    </body>

    app.component( 'modal-button', { template: `
    <button @click="modalOpen = true">
    Open full screen modal! (With teleport!)
    </button>

    <teleport to="modal">
    <div v-if="modalOpen" class="modal">
    <div>
    <span> Content </span>
    <button @click="modalOpen = false">Close</button>
    </div>
    </div>
    </teleport>
    `, data() { return { modalOpen: false } } })
  • Suspense

    Suspense is a component with slots. Before display content is fully rendered, the alternate content is displayed to occupy the place. If it’s a asynchronous component, Suspense will wait for the components and use onErrorCaptured to capture the error

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    <template>
    <h1>{{ result }}</h1>
    </template>
    <script lang="ts">
    import { defineComponent } from "vue";
    export default defineComponent({
    setup() {
    //Suspense needs to return a Promise
    return new Promise((resolve) => {
    setTimeout(() => {
    return resolve({
    result: "10000",
    });
    }, 3000);
    });
    },
    });
    </script>
    <Suspense>
    <template #default>
    <async-show />
    </template>
    <template #fallback>
    Loading...
    </template>
    </Suspense>

Custom Renderer API

Our template code will be converted into the html code through createApp of Vue. Also you can use this ability to render some other things what you need through Vue’s Custom Renderer API

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
import { createRenderer } from "@vue/runtime-core";
const renderer = createRenderer({
createElement(type) {
let element;
switch (type) {
case "div":
element = document.createElement("div");
break;
}
return element;
},
setElementText(node, text) {
var textNode = document.createTextNode(text);
node.appendChild(textNode);
},

createText(text) {
return document.createTextNode(text);
},
/*...*/
});

export function createApp(rootComponent) {
return renderer.createApp(rootComponent);
}

The differences of lifecycle

vue3-lifecycle

Vue2 Vue3
beforeCreate setup
created setup
beforeMount onBeforeMount
mounted onMounted
beforeUpdate onBeforeUpdate
updated onUpdated
beforeDestroy onBeforeDestroy
destroyed onDestroyed
errorCaptured onErrorCaptured

Responsive

vue3-responsive

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
// Vue3 Responsive principle
// utils
const isObject = (val) => {
return !!val && typeof val === "object";
};

const dataLog = (title, arr) => {
console.log(title);
arr.forEach((i) => {
console.log(i);
});
};

/**
* 13.To prevent the duplication of proxy
* toProxy: {Original: Proxy}
* toRaw: {Proxy: Original}
*/
// const info = { a: 1 };
// const b = reactive(info);
// reactive(b);
// reactive(info);

const toProxy = new WeakMap(),
toRaw = new WeakMap();

// 4.Create responsive Object
const createReactiveObject = (target) => {
// 5.Judging the target type
if (!isObject(target)) return target;

// 14.If the object has been proxied, return the proxied object
const proxy = toProxy.get(target);
if (proxy) return proxy;
if (toRaw.has(target)) return target;

const baseHandle = {
get: (target, key, receiver) => {
console.log("get");
// 8.Use Reflect to get the value
// return target[key]
const res = Reflect.get(target, key, receiver);

// 21.Collection dependencies
// correspond the keys of current object width reactiveEffects
track(target, key);

// 9.consider the case of multi-level object
return isObject(res) ? reactive(res) : res;
},
/**
* target: original object ({name: 'smallstars'})
* key: keyword (name)
* value: new value
* receiver: current proxied object (observer)
*/
set: (target, key, value, receiver) => {
console.log("set");
// This way cannot determine whether the operation is successful
// target[key] = value;
// console.log(target, key, value, receiver);

// 10.Use Reflect to determine the status of operation
const res = Reflect.set(target, key, value, receiver);

// 25.Determine whether it is a new attribute
const hadKey = target.hasOwnProperty(key);
// Avoid meaningless rendering views (eg: array.length)
/*
const arr = [1, 2, 3];
let proxy = reactive(arr);
// it will trigger operation twice. (1.push (2.length
proxy.push(4);
*/
if (!hadKey) {
// data changed, need to rendering views
// console.log("rendering");
trigger(target, "add", key);
} else {
// property changed, don't need to rendering views
// console.log("no rendering");
trigger(target, "set", key);
}

// 11.Return the res
return res;
},
// 12.Delete the property by key
deleteProperty: (target, key) => {
console.log("del");
return Reflect.deleteProperty(target, key);
},
};
// 6.Create the observer of target
// Use the baseHandle(ProxyHandler) function to truncate the operation
let observed = new Proxy(target, baseHandle);

// 15.Mark the original object has been proxied
toProxy.set(target, observed);
toRaw.set(observed, target);

// 7.Return the observed
return observed;
};

// 3.Turn data into responsive
const reactive = (target) => {
return createReactiveObject(target);
};

// collected of dependencies
// cache responsive effects
const activeEffectStack = [];

// if the target[key] changed, executed the effect
/*
targetsMap: {
[target]: {
[key]: deps;
}
}
deps: [effects]
*/
// 22.use targetsMap to collect dependencies of per targets[key]
const targetsMap = new WeakMap();
const track = (target, key) => {
// 23.Determine whether the stack is empty
let effect = activeEffectStack[activeEffectStack.length - 1];

// 24.Determine whether the targetsMap is empty, initialize it
// console.log(target, key);
if (effect) {
let depsMap = targetsMap.get(target);
if (!depsMap) targetsMap.set(target, (depsMap = new Map()));
let deps = depsMap.get(key);
if (!deps) depsMap.set(key, (deps = new Set()));

if (!deps.has(effect)) deps.add(effect);
}
};

// 26.Called the effect to update views
const trigger = (target, type, key) => {
const depsMap = targetsMap.get(target);
if (depsMap) {
const deps = depsMap.get(key);
if (deps) {
deps.forEach((effect) => {
effect();
});
}
}
};

/**
* 19.Use stack cache fn(if this effect has other effect, there will be multiple values in the stack)
* 1).push effect into stack
* 2).execute fn
* 3).pop the effect
*/
const run = (effect, fn) => {
console.log("run");
// prevent errors when fn is executed
try {
activeEffectStack.push(effect);
// 20. execute fn
fn();
} finally {
activeEffectStack.pop();
}
};

// 18.Create responsive effect
const createReactiveEffect = (fn) => {
let effect = () => {
return run(effect, fn);
};
return effect;
};

// 17.Turn effect into responsive
const effect = (fn) => {
let reactiveEffect = createReactiveEffect(fn);
// executed firstly
reactiveEffect();
return reactiveEffect;
};

// let proxy = reactive({ name: "smallstars" });
// // This effect is executed once when the dependencies are collected, and then called when the subsequent data is updated.
// effect(() => {
// console.log(1);
// });
// proxy.name = "blackangel";

// test
// const info = { name: { firstName: "small", lastName: "stars" } };
// let proxy = reactive(info);

// // We need to prevent duplication of proxy
// // use WeakMap to store it
// reactive(info);
// reactive(info);
// // reactive(info);

// const arr = [1, 2, 3];
// let proxy = reactive(arr);
// // it will trigger operation twice. 1.push 2.length
// proxy.push(4);

// 1.Defined the data (ref/reactive/computed)
const info = reactive({ counter1: 1, counter2: 1 });

// 16.Side effects of data changes
effect(() => {
console.log("counter1:", info.counter1);
// console.log("counter2:", info.counter2);
});

// 2.Change the data value
setInterval(() => {
info.counter1++;
}, 3000);

// setInterval(() => {
// info.counter2 *= 2;
// }, 1000);

script setup

https://github.com/vuejs/rfcs/blob/master/active-rfcs/0040-script-setup.md

Proxy & Reflect

https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/Proxy

https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/Reflect

References

Usage of bit masks

Vdom

patchFlags

-------------The end of this article, thanks for reading-------------