Skip to content

Commit 996eb00

Browse files
committed
feat: auto cache inline prop literals to avoid child re-render
1 parent f493715 commit 996eb00

File tree

6 files changed

+83
-0
lines changed

6 files changed

+83
-0
lines changed

flow/component.js

+3
Original file line numberDiff line numberDiff line change
@@ -69,6 +69,7 @@ declare interface Component {
6969
_staticTrees: ?Array<VNode>; // v-once cached trees
7070
_hasHookEvent: boolean;
7171
_provided: ?Object;
72+
_inlineComputed: ?{ [key: string]: Watcher }; // inline computed watchers for literal props
7273

7374
// private methods
7475

@@ -129,6 +130,8 @@ declare interface Component {
129130
_k: (eventKeyCode: number, key: string, builtInAlias?: number | Array<number>, eventKeyName?: string) => ?boolean;
130131
// resolve scoped slots
131132
_u: (scopedSlots: ScopedSlotsData, res?: Object) => { [key: string]: Function };
133+
// create / return value from inline computed
134+
_a: (id: number, getter: Function) => any;
132135

133136
// SSR specific
134137
_ssrNode: Function;

src/compiler/parser/index.js

+15
Original file line numberDiff line numberDiff line change
@@ -29,16 +29,20 @@ const argRE = /:(.*)$/
2929
const bindRE = /^:|^v-bind:/
3030
const modifierRE = /\.[^.]+/g
3131

32+
const literalValueRE = /^(\{.*\}|\[.*\])$/
33+
3234
const decodeHTMLCached = cached(he.decode)
3335

3436
// configurable state
3537
export let warn: any
38+
let literalPropId
3639
let delimiters
3740
let transforms
3841
let preTransforms
3942
let postTransforms
4043
let platformIsPreTag
4144
let platformMustUseProp
45+
let platformIsReservedTag
4246
let platformGetTagNamespace
4347

4448
type Attr = { name: string; value: string };
@@ -66,9 +70,11 @@ export function parse (
6670
options: CompilerOptions
6771
): ASTElement | void {
6872
warn = options.warn || baseWarn
73+
literalPropId = 0
6974

7075
platformIsPreTag = options.isPreTag || no
7176
platformMustUseProp = options.mustUseProp || no
77+
platformIsReservedTag = options.isReservedTag || no
7278
platformGetTagNamespace = options.getTagNamespace || no
7379

7480
transforms = pluckModuleFunction(options.modules, 'transformNode')
@@ -529,6 +535,15 @@ function processAttrs (el) {
529535
)
530536
}
531537
}
538+
// optimize literal values in component props by wrapping them
539+
// in an inline watcher to avoid unnecessary re-renders
540+
if (
541+
!platformIsReservedTag(el.tag) &&
542+
el.tag !== 'slot' &&
543+
literalValueRE.test(value.trim())
544+
) {
545+
value = `_a(${literalPropId++},function(){return ${value}})`
546+
}
532547
if (isProp || (
533548
!el.component && platformMustUseProp(el.tag, el.attrsMap.type, name)
534549
)) {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
/* @flow */
2+
3+
import { noop } from 'shared/util'
4+
import Watcher from 'core/observer/watcher'
5+
6+
/**
7+
* This runtime helper creates an inline computed property for component
8+
* props that contain object or array literals. The caching ensures the same
9+
* object/array is returned unless the value has indeed changed, thus avoiding
10+
* the child component to always re-render when comparing props values.
11+
*
12+
* Installed to the instance as _a, requires special handling in parser that
13+
* transforms the following
14+
* <foo :bar="{ a: 1 }"/>
15+
* to:
16+
* <foo :bar="_a(0, function(){return { a: 1 }})"
17+
*/
18+
export function createInlineComputed (id: string, getter: Function): any {
19+
const vm: Component = this
20+
const watchers = vm._inlineComputed || (vm._inlineComputed = {})
21+
const cached = watchers[id]
22+
if (cached) {
23+
return cached.value
24+
} else {
25+
watchers[id] = new Watcher(vm, getter, noop, { sync: true })
26+
return watchers[id].value
27+
}
28+
}

src/core/instance/render-helpers/index.js

+2
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ import { bindObjectProps } from './bind-object-props'
1010
import { renderStatic, markOnce } from './render-static'
1111
import { bindObjectListeners } from './bind-object-listeners'
1212
import { resolveScopedSlots } from './resolve-slots'
13+
import { createInlineComputed } from './create-inline-computed'
1314

1415
export function installRenderHelpers (target: any) {
1516
target._o = markOnce
@@ -27,4 +28,5 @@ export function installRenderHelpers (target: any) {
2728
target._e = createEmptyVNode
2829
target._u = resolveScopedSlots
2930
target._g = bindObjectListeners
31+
target._a = createInlineComputed
3032
}

src/core/instance/state.js

+1
Original file line numberDiff line numberDiff line change
@@ -47,6 +47,7 @@ export function proxy (target: Object, sourceKey: string, key: string) {
4747

4848
export function initState (vm: Component) {
4949
vm._watchers = []
50+
vm._inlineComputed = null
5051
const opts = vm.$options
5152
if (opts.props) initProps(vm, opts.props)
5253
if (opts.methods) initMethods(vm, opts.methods)

test/unit/features/options/props.spec.js

+34
Original file line numberDiff line numberDiff line change
@@ -529,4 +529,38 @@ describe('Options props', () => {
529529
expect(`Invalid key "reqquired" in validation rules object for prop "value".`).toHaveBeenWarned()
530530
expect(`Invalid key "deafult" in validation rules object for prop "count".`).toHaveBeenWarned()
531531
})
532+
533+
it('should not trigger re-render on non-changed inline literals', done => {
534+
const updated = jasmine.createSpy('updated')
535+
const vm = new Vue({
536+
data: {
537+
n: 1,
538+
m: 1
539+
},
540+
template: `
541+
<div id="app">
542+
{{ n }} {{ m }} <foo :a="{ n: 1 }" :b="{ n: n }"/>
543+
</div>
544+
`,
545+
components: {
546+
foo: {
547+
props: ['a', 'b'],
548+
updated,
549+
template: `<div>{{ a.n }} {{ b.n }}</div>`
550+
}
551+
}
552+
}).$mount()
553+
554+
expect(vm.$el.textContent).toContain('1 1 1 1')
555+
vm.n++ // literals that actually contain changed reactive data should trigger update
556+
waitForUpdate(() => {
557+
expect(vm.$el.textContent).toContain('2 1 1 2')
558+
expect(updated.calls.count()).toBe(1)
559+
}).then(() => {
560+
vm.m++ // changing data that does not affect any literals should not trigger update
561+
}).then(() => {
562+
expect(vm.$el.textContent).toContain('2 2 1 2')
563+
expect(updated.calls.count()).toBe(1)
564+
}).then(done)
565+
})
532566
})

0 commit comments

Comments
 (0)