Skip to content

Commit 4e0c485

Browse files
committed
fix: further adjust nextTick strategy
fix #6813
1 parent 6658b81 commit 4e0c485

File tree

6 files changed

+137
-101
lines changed

6 files changed

+137
-101
lines changed

src/core/util/env.js

-85
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,4 @@
11
/* @flow */
2-
/* globals MessageChannel */
3-
4-
import { handleError } from './error'
52

63
// can we use __proto__?
74
export const hasProto = '__proto__' in {}
@@ -62,88 +59,6 @@ export const hasSymbol =
6259
typeof Symbol !== 'undefined' && isNative(Symbol) &&
6360
typeof Reflect !== 'undefined' && isNative(Reflect.ownKeys)
6461

65-
/**
66-
* Defer a task to execute it asynchronously.
67-
*/
68-
export const nextTick = (function () {
69-
const callbacks = []
70-
let pending = false
71-
let timerFunc
72-
73-
function nextTickHandler () {
74-
pending = false
75-
const copies = callbacks.slice(0)
76-
callbacks.length = 0
77-
for (let i = 0; i < copies.length; i++) {
78-
copies[i]()
79-
}
80-
}
81-
82-
// An asynchronous deferring mechanism.
83-
// In pre 2.4, we used to use microtasks (Promise/MutationObserver)
84-
// but microtasks actually has too high a priority and fires in between
85-
// supposedly sequential events (e.g. #4521, #6690) or even between
86-
// bubbling of the same event (#6566). Technically setImmediate should be
87-
// the ideal choice, but it's not available everywhere; and the only polyfill
88-
// that consistently queues the callback after all DOM events triggered in the
89-
// same loop is by using MessageChannel.
90-
/* istanbul ignore if */
91-
if (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {
92-
timerFunc = () => {
93-
setImmediate(nextTickHandler)
94-
}
95-
} else if (typeof MessageChannel !== 'undefined' && (
96-
isNative(MessageChannel) ||
97-
// PhantomJS
98-
MessageChannel.toString() === '[object MessageChannelConstructor]'
99-
)) {
100-
const channel = new MessageChannel()
101-
const port = channel.port2
102-
channel.port1.onmessage = nextTickHandler
103-
timerFunc = () => {
104-
port.postMessage(1)
105-
}
106-
} else
107-
/* istanbul ignore next */
108-
if (typeof Promise !== 'undefined' && isNative(Promise)) {
109-
// use microtask in non-DOM environments, e.g. Weex
110-
const p = Promise.resolve()
111-
timerFunc = () => {
112-
p.then(nextTickHandler)
113-
}
114-
} else {
115-
// fallback to setTimeout
116-
timerFunc = () => {
117-
setTimeout(nextTickHandler, 0)
118-
}
119-
}
120-
121-
return function queueNextTick (cb?: Function, ctx?: Object) {
122-
let _resolve
123-
callbacks.push(() => {
124-
if (cb) {
125-
try {
126-
cb.call(ctx)
127-
} catch (e) {
128-
handleError(e, ctx, 'nextTick')
129-
}
130-
} else if (_resolve) {
131-
_resolve(ctx)
132-
}
133-
})
134-
if (!pending) {
135-
pending = true
136-
timerFunc()
137-
}
138-
// $flow-disable-line
139-
if (!cb && typeof Promise !== 'undefined') {
140-
return new Promise((resolve, reject) => {
141-
_resolve = resolve
142-
})
143-
}
144-
}
145-
})()
146-
14762
let _Set
14863
/* istanbul ignore if */ // $flow-disable-line
14964
if (typeof Set !== 'undefined' && isNative(Set)) {

src/core/util/index.js

+1
Original file line numberDiff line numberDiff line change
@@ -7,4 +7,5 @@ export * from './options'
77
export * from './debug'
88
export * from './props'
99
export * from './error'
10+
export * from './next-tick'
1011
export { defineReactive } from '../observer/index'

src/core/util/next-tick.js

+116
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,116 @@
1+
/* @flow */
2+
/* globals MessageChannel */
3+
4+
import { noop } from 'shared/util'
5+
import { handleError } from './error'
6+
import { isIOS, isNative } from './env'
7+
8+
const callbacks = []
9+
let pending = false
10+
11+
function flushCallbacks () {
12+
pending = false
13+
const copies = callbacks.slice(0)
14+
callbacks.length = 0
15+
for (let i = 0; i < copies.length; i++) {
16+
copies[i]()
17+
}
18+
}
19+
20+
// Here we have async deferring wrappers using both micro and macro tasks.
21+
// In < 2.4 we used micro tasks everywhere, but there are some scenarios where
22+
// micro tasks have too high a priority and fires in between supposedly
23+
// sequential events (e.g. #4521, #6690) or even between bubbling of the same
24+
// event (#6566). However, using macro tasks everywhere also has subtle problems
25+
// when state is changed right before repaint (e.g. #6813, out-in transitions).
26+
// Here we use micro task by default, but expose a way to force macro task when
27+
// needed (e.g. in event handlers attached by v-on).
28+
let microTimerFunc
29+
let macroTimerFunc
30+
let useMacroTask = false
31+
32+
// Determine (macro) Task defer implementation.
33+
// Technically setImmediate should be the ideal choice, but it's only available
34+
// in IE. The only polyfill that consistently queues the callback after all DOM
35+
// events triggered in the same loop is by using MessageChannel.
36+
/* istanbul ignore if */
37+
if (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {
38+
macroTimerFunc = () => {
39+
setImmediate(flushCallbacks)
40+
}
41+
} else if (typeof MessageChannel !== 'undefined' && (
42+
isNative(MessageChannel) ||
43+
// PhantomJS
44+
MessageChannel.toString() === '[object MessageChannelConstructor]'
45+
)) {
46+
const channel = new MessageChannel()
47+
const port = channel.port2
48+
channel.port1.onmessage = flushCallbacks
49+
macroTimerFunc = () => {
50+
port.postMessage(1)
51+
}
52+
} else {
53+
macroTimerFunc = () => {
54+
setTimeout(flushCallbacks, 0)
55+
}
56+
}
57+
58+
// Determine MicroTask defer implementation.
59+
// $flow-disable-line, istanbul ignore next
60+
if (typeof Promise !== 'undefined' && isNative(Promise)) {
61+
const p = Promise.resolve()
62+
microTimerFunc = () => {
63+
p.then(flushCallbacks)
64+
// in problematic UIWebViews, Promise.then doesn't completely break, but
65+
// it can get stuck in a weird state where callbacks are pushed into the
66+
// microtask queue but the queue isn't being flushed, until the browser
67+
// needs to do some other work, e.g. handle a timer. Therefore we can
68+
// "force" the microtask queue to be flushed by adding an empty timer.
69+
if (isIOS) setTimeout(noop)
70+
}
71+
} else {
72+
// fallback to macro
73+
microTimerFunc = macroTimerFunc
74+
}
75+
76+
/**
77+
* Wrap a function so that if any code inside triggers state change,
78+
* the changes are queued using a Task instead of a MicroTask.
79+
*/
80+
export function withMacroTask (fn: Function): Function {
81+
return fn._withTask || (fn._withTask = function () {
82+
useMacroTask = true
83+
const res = fn.apply(null, arguments)
84+
useMacroTask = false
85+
return res
86+
})
87+
}
88+
89+
export function nextTick (cb?: Function, ctx?: Object): ?Promise {
90+
let _resolve
91+
callbacks.push(() => {
92+
if (cb) {
93+
try {
94+
cb.call(ctx)
95+
} catch (e) {
96+
handleError(e, ctx, 'nextTick')
97+
}
98+
} else if (_resolve) {
99+
_resolve(ctx)
100+
}
101+
})
102+
if (!pending) {
103+
pending = true
104+
if (useMacroTask) {
105+
macroTimerFunc()
106+
} else {
107+
microTimerFunc()
108+
}
109+
}
110+
// $flow-disable-line
111+
if (!cb && typeof Promise !== 'undefined') {
112+
return new Promise(resolve => {
113+
_resolve = resolve
114+
})
115+
}
116+
}

src/platforms/web/runtime/modules/events.js

+18-14
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22

33
import { isDef, isUndef } from 'shared/util'
44
import { updateListeners } from 'core/vdom/helpers/index'
5-
import { isIE, supportsPassive } from 'core/util/env'
5+
import { withMacroTask, isIE, supportsPassive } from 'core/util/index'
66
import { RANGE_TOKEN, CHECKBOX_RADIO_TOKEN } from 'web/compiler/directives/model'
77

88
// normalize v-model event tokens that can only be determined at runtime.
@@ -28,25 +28,25 @@ function normalizeEvents (on) {
2828

2929
let target: HTMLElement
3030

31+
function createOnceHandler (handler, event, capture) {
32+
const _target = target // save current target element in closure
33+
return function onceHandler () {
34+
const res = handler.apply(null, arguments)
35+
if (res !== null) {
36+
remove(event, onceHandler, capture, _target)
37+
}
38+
}
39+
}
40+
3141
function add (
3242
event: string,
3343
handler: Function,
3444
once: boolean,
3545
capture: boolean,
3646
passive: boolean
3747
) {
38-
if (once) {
39-
const oldHandler = handler
40-
const _target = target // save current target element in closure
41-
handler = function (ev) {
42-
const res = arguments.length === 1
43-
? oldHandler(ev)
44-
: oldHandler.apply(null, arguments)
45-
if (res !== null) {
46-
remove(event, handler, capture, _target)
47-
}
48-
}
49-
}
48+
handler = withMacroTask(handler)
49+
if (once) handler = createOnceHandler(handler, event, capture)
5050
target.addEventListener(
5151
event,
5252
handler,
@@ -62,7 +62,11 @@ function remove (
6262
capture: boolean,
6363
_target?: HTMLElement
6464
) {
65-
(_target || target).removeEventListener(event, handler, capture)
65+
(_target || target).removeEventListener(
66+
event,
67+
handler._withTask || handler,
68+
capture
69+
)
6670
}
6771

6872
function updateDOMListeners (oldVnode: VNodeWithData, vnode: VNodeWithData) {

test/e2e/specs/async-edge-cases.html

+1-1
Original file line numberDiff line numberDiff line change
@@ -26,7 +26,7 @@
2626

2727
<!-- #6566 click event bubbling -->
2828
<div id="case-2">
29-
<div v-if="expand">
29+
<div class="panel" v-if="expand">
3030
<button @click="expand = false, countA++">Expand is True</button>
3131
</div>
3232
<div class="header" v-if="!expand" @click="expand = true, countB++">

test/unit/modules/util/next-tick.spec.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
import { nextTick } from 'core/util/env'
1+
import { nextTick } from 'core/util/next-tick'
22

33
describe('nextTick', () => {
44
it('accepts a callback', done => {

0 commit comments

Comments
 (0)