nav tabs on admin dashboard
This commit is contained in:
9
node_modules/vue/src/core/config.js
generated
vendored
9
node_modules/vue/src/core/config.js
generated
vendored
@@ -28,6 +28,9 @@ export type Config = {
|
||||
getTagNamespace: (x?: string) => string | void;
|
||||
mustUseProp: (tag: string, type: ?string, name: string) => boolean;
|
||||
|
||||
// private
|
||||
async: boolean;
|
||||
|
||||
// legacy
|
||||
_lifecycleHooks: Array<string>;
|
||||
};
|
||||
@@ -114,6 +117,12 @@ export default ({
|
||||
*/
|
||||
mustUseProp: no,
|
||||
|
||||
/**
|
||||
* Perform updates asynchronously. Intended to be used by Vue Test Utils
|
||||
* This will significantly reduce performance if set to false.
|
||||
*/
|
||||
async: true,
|
||||
|
||||
/**
|
||||
* Exposed for legacy reasons
|
||||
*/
|
||||
|
||||
7
node_modules/vue/src/core/global-api/index.js
generated
vendored
7
node_modules/vue/src/core/global-api/index.js
generated
vendored
@@ -8,6 +8,7 @@ import { initAssetRegisters } from './assets'
|
||||
import { set, del } from '../observer/index'
|
||||
import { ASSET_TYPES } from 'shared/constants'
|
||||
import builtInComponents from '../components/index'
|
||||
import { observe } from 'core/observer/index'
|
||||
|
||||
import {
|
||||
warn,
|
||||
@@ -44,6 +45,12 @@ export function initGlobalAPI (Vue: GlobalAPI) {
|
||||
Vue.delete = del
|
||||
Vue.nextTick = nextTick
|
||||
|
||||
// 2.6 explicit observable API
|
||||
Vue.observable = <T>(obj: T): T => {
|
||||
observe(obj)
|
||||
return obj
|
||||
}
|
||||
|
||||
Vue.options = Object.create(null)
|
||||
ASSET_TYPES.forEach(type => {
|
||||
Vue.options[type + 's'] = Object.create(null)
|
||||
|
||||
53
node_modules/vue/src/core/instance/events.js
generated
vendored
53
node_modules/vue/src/core/instance/events.js
generated
vendored
@@ -4,8 +4,8 @@ import {
|
||||
tip,
|
||||
toArray,
|
||||
hyphenate,
|
||||
handleError,
|
||||
formatComponentName
|
||||
formatComponentName,
|
||||
invokeWithErrorHandling
|
||||
} from '../util/index'
|
||||
import { updateListeners } from '../vdom/helpers/index'
|
||||
|
||||
@@ -21,25 +21,31 @@ export function initEvents (vm: Component) {
|
||||
|
||||
let target: any
|
||||
|
||||
function add (event, fn, once) {
|
||||
if (once) {
|
||||
target.$once(event, fn)
|
||||
} else {
|
||||
target.$on(event, fn)
|
||||
}
|
||||
function add (event, fn) {
|
||||
target.$on(event, fn)
|
||||
}
|
||||
|
||||
function remove (event, fn) {
|
||||
target.$off(event, fn)
|
||||
}
|
||||
|
||||
function createOnceHandler (event, fn) {
|
||||
const _target = target
|
||||
return function onceHandler () {
|
||||
const res = fn.apply(null, arguments)
|
||||
if (res !== null) {
|
||||
_target.$off(event, onceHandler)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export function updateComponentListeners (
|
||||
vm: Component,
|
||||
listeners: Object,
|
||||
oldListeners: ?Object
|
||||
) {
|
||||
target = vm
|
||||
updateListeners(listeners, oldListeners || {}, add, remove, vm)
|
||||
updateListeners(listeners, oldListeners || {}, add, remove, createOnceHandler, vm)
|
||||
target = undefined
|
||||
}
|
||||
|
||||
@@ -49,7 +55,7 @@ export function eventsMixin (Vue: Class<Component>) {
|
||||
const vm: Component = this
|
||||
if (Array.isArray(event)) {
|
||||
for (let i = 0, l = event.length; i < l; i++) {
|
||||
this.$on(event[i], fn)
|
||||
vm.$on(event[i], fn)
|
||||
}
|
||||
} else {
|
||||
(vm._events[event] || (vm._events[event] = [])).push(fn)
|
||||
@@ -83,7 +89,7 @@ export function eventsMixin (Vue: Class<Component>) {
|
||||
// array of events
|
||||
if (Array.isArray(event)) {
|
||||
for (let i = 0, l = event.length; i < l; i++) {
|
||||
this.$off(event[i], fn)
|
||||
vm.$off(event[i], fn)
|
||||
}
|
||||
return vm
|
||||
}
|
||||
@@ -96,16 +102,14 @@ export function eventsMixin (Vue: Class<Component>) {
|
||||
vm._events[event] = null
|
||||
return vm
|
||||
}
|
||||
if (fn) {
|
||||
// specific handler
|
||||
let cb
|
||||
let i = cbs.length
|
||||
while (i--) {
|
||||
cb = cbs[i]
|
||||
if (cb === fn || cb.fn === fn) {
|
||||
cbs.splice(i, 1)
|
||||
break
|
||||
}
|
||||
// specific handler
|
||||
let cb
|
||||
let i = cbs.length
|
||||
while (i--) {
|
||||
cb = cbs[i]
|
||||
if (cb === fn || cb.fn === fn) {
|
||||
cbs.splice(i, 1)
|
||||
break
|
||||
}
|
||||
}
|
||||
return vm
|
||||
@@ -129,12 +133,9 @@ export function eventsMixin (Vue: Class<Component>) {
|
||||
if (cbs) {
|
||||
cbs = cbs.length > 1 ? toArray(cbs) : cbs
|
||||
const args = toArray(arguments, 1)
|
||||
const info = `event handler for "${event}"`
|
||||
for (let i = 0, l = cbs.length; i < l; i++) {
|
||||
try {
|
||||
cbs[i].apply(vm, args)
|
||||
} catch (e) {
|
||||
handleError(e, vm, `event handler for "${event}"`)
|
||||
}
|
||||
invokeWithErrorHandling(cbs[i], vm, args, vm, info)
|
||||
}
|
||||
}
|
||||
return vm
|
||||
|
||||
24
node_modules/vue/src/core/instance/init.js
generated
vendored
24
node_modules/vue/src/core/instance/init.js
generated
vendored
@@ -77,8 +77,6 @@ export function initInternalComponent (vm: Component, options: InternalComponent
|
||||
const parentVnode = options._parentVnode
|
||||
opts.parent = options.parent
|
||||
opts._parentVnode = parentVnode
|
||||
opts._parentElm = options._parentElm
|
||||
opts._refElm = options._refElm
|
||||
|
||||
const vnodeComponentOptions = parentVnode.componentOptions
|
||||
opts.propsData = vnodeComponentOptions.propsData
|
||||
@@ -119,32 +117,12 @@ export function resolveConstructorOptions (Ctor: Class<Component>) {
|
||||
function resolveModifiedOptions (Ctor: Class<Component>): ?Object {
|
||||
let modified
|
||||
const latest = Ctor.options
|
||||
const extended = Ctor.extendOptions
|
||||
const sealed = Ctor.sealedOptions
|
||||
for (const key in latest) {
|
||||
if (latest[key] !== sealed[key]) {
|
||||
if (!modified) modified = {}
|
||||
modified[key] = dedupe(latest[key], extended[key], sealed[key])
|
||||
modified[key] = latest[key]
|
||||
}
|
||||
}
|
||||
return modified
|
||||
}
|
||||
|
||||
function dedupe (latest, extended, sealed) {
|
||||
// compare latest and sealed to ensure lifecycle hooks won't be duplicated
|
||||
// between merges
|
||||
if (Array.isArray(latest)) {
|
||||
const res = []
|
||||
sealed = Array.isArray(sealed) ? sealed : [sealed]
|
||||
extended = Array.isArray(extended) ? extended : [extended]
|
||||
for (let i = 0; i < latest.length; i++) {
|
||||
// push original options and not sealed options to exclude duplicated options
|
||||
if (extended.indexOf(latest[i]) >= 0 || sealed.indexOf(latest[i]) < 0) {
|
||||
res.push(latest[i])
|
||||
}
|
||||
}
|
||||
return res
|
||||
} else {
|
||||
return latest
|
||||
}
|
||||
}
|
||||
|
||||
7
node_modules/vue/src/core/instance/inject.js
generated
vendored
7
node_modules/vue/src/core/instance/inject.js
generated
vendored
@@ -41,14 +41,13 @@ export function resolveInject (inject: any, vm: Component): ?Object {
|
||||
// inject is :any because flow is not smart enough to figure out cached
|
||||
const result = Object.create(null)
|
||||
const keys = hasSymbol
|
||||
? Reflect.ownKeys(inject).filter(key => {
|
||||
/* istanbul ignore next */
|
||||
return Object.getOwnPropertyDescriptor(inject, key).enumerable
|
||||
})
|
||||
? Reflect.ownKeys(inject)
|
||||
: Object.keys(inject)
|
||||
|
||||
for (let i = 0; i < keys.length; i++) {
|
||||
const key = keys[i]
|
||||
// #6574 in case the inject object is observed...
|
||||
if (key === '__ob__') continue
|
||||
const provideKey = inject[key].from
|
||||
let source = vm
|
||||
while (source) {
|
||||
|
||||
68
node_modules/vue/src/core/instance/lifecycle.js
generated
vendored
68
node_modules/vue/src/core/instance/lifecycle.js
generated
vendored
@@ -13,14 +13,22 @@ import {
|
||||
warn,
|
||||
noop,
|
||||
remove,
|
||||
handleError,
|
||||
emptyObject,
|
||||
validateProp
|
||||
validateProp,
|
||||
invokeWithErrorHandling
|
||||
} from '../util/index'
|
||||
|
||||
export let activeInstance: any = null
|
||||
export let isUpdatingChildComponent: boolean = false
|
||||
|
||||
export function setActiveInstance(vm: Component) {
|
||||
const prevActiveInstance = activeInstance
|
||||
activeInstance = vm
|
||||
return () => {
|
||||
activeInstance = prevActiveInstance
|
||||
}
|
||||
}
|
||||
|
||||
export function initLifecycle (vm: Component) {
|
||||
const options = vm.$options
|
||||
|
||||
@@ -50,31 +58,20 @@ export function initLifecycle (vm: Component) {
|
||||
export function lifecycleMixin (Vue: Class<Component>) {
|
||||
Vue.prototype._update = function (vnode: VNode, hydrating?: boolean) {
|
||||
const vm: Component = this
|
||||
if (vm._isMounted) {
|
||||
callHook(vm, 'beforeUpdate')
|
||||
}
|
||||
const prevEl = vm.$el
|
||||
const prevVnode = vm._vnode
|
||||
const prevActiveInstance = activeInstance
|
||||
activeInstance = vm
|
||||
const restoreActiveInstance = setActiveInstance(vm)
|
||||
vm._vnode = vnode
|
||||
// Vue.prototype.__patch__ is injected in entry points
|
||||
// based on the rendering backend used.
|
||||
if (!prevVnode) {
|
||||
// initial render
|
||||
vm.$el = vm.__patch__(
|
||||
vm.$el, vnode, hydrating, false /* removeOnly */,
|
||||
vm.$options._parentElm,
|
||||
vm.$options._refElm
|
||||
)
|
||||
// no need for the ref nodes after initial patch
|
||||
// this prevents keeping a detached DOM tree in memory (#5851)
|
||||
vm.$options._parentElm = vm.$options._refElm = null
|
||||
vm.$el = vm.__patch__(vm.$el, vnode, hydrating, false /* removeOnly */)
|
||||
} else {
|
||||
// updates
|
||||
vm.$el = vm.__patch__(prevVnode, vnode)
|
||||
}
|
||||
activeInstance = prevActiveInstance
|
||||
restoreActiveInstance()
|
||||
// update __vue__ reference
|
||||
if (prevEl) {
|
||||
prevEl.__vue__ = null
|
||||
@@ -197,7 +194,13 @@ export function mountComponent (
|
||||
// we set this to vm._watcher inside the watcher's constructor
|
||||
// since the watcher's initial patch may call $forceUpdate (e.g. inside child
|
||||
// component's mounted hook), which relies on vm._watcher being already defined
|
||||
new Watcher(vm, updateComponent, noop, null, true /* isRenderWatcher */)
|
||||
new Watcher(vm, updateComponent, noop, {
|
||||
before () {
|
||||
if (vm._isMounted && !vm._isDestroyed) {
|
||||
callHook(vm, 'beforeUpdate')
|
||||
}
|
||||
}
|
||||
}, true /* isRenderWatcher */)
|
||||
hydrating = false
|
||||
|
||||
// manually mounted instance, call mounted on self
|
||||
@@ -221,12 +224,26 @@ export function updateChildComponent (
|
||||
}
|
||||
|
||||
// determine whether component has slot children
|
||||
// we need to do this before overwriting $options._renderChildren
|
||||
const hasChildren = !!(
|
||||
// we need to do this before overwriting $options._renderChildren.
|
||||
|
||||
// check if there are dynamic scopedSlots (hand-written or compiled but with
|
||||
// dynamic slot names). Static scoped slots compiled from template has the
|
||||
// "$stable" marker.
|
||||
const newScopedSlots = parentVnode.data.scopedSlots
|
||||
const oldScopedSlots = vm.$scopedSlots
|
||||
const hasDynamicScopedSlot = !!(
|
||||
(newScopedSlots && !newScopedSlots.$stable) ||
|
||||
(oldScopedSlots !== emptyObject && !oldScopedSlots.$stable) ||
|
||||
(newScopedSlots && vm.$scopedSlots.$key !== newScopedSlots.$key)
|
||||
)
|
||||
|
||||
// Any static slot children from the parent may have changed during parent's
|
||||
// update. Dynamic scoped slots may also have changed. In such cases, a forced
|
||||
// update is necessary to ensure correctness.
|
||||
const needsForceUpdate = !!(
|
||||
renderChildren || // has new static slots
|
||||
vm.$options._renderChildren || // has old static slots
|
||||
parentVnode.data.scopedSlots || // has new scoped slots
|
||||
vm.$scopedSlots !== emptyObject // has old scoped slots
|
||||
hasDynamicScopedSlot
|
||||
)
|
||||
|
||||
vm.$options._parentVnode = parentVnode
|
||||
@@ -265,7 +282,7 @@ export function updateChildComponent (
|
||||
updateComponentListeners(vm, listeners, oldListeners)
|
||||
|
||||
// resolve slots + force update if has children
|
||||
if (hasChildren) {
|
||||
if (needsForceUpdate) {
|
||||
vm.$slots = resolveSlots(renderChildren, parentVnode.context)
|
||||
vm.$forceUpdate()
|
||||
}
|
||||
@@ -320,13 +337,10 @@ export function callHook (vm: Component, hook: string) {
|
||||
// #7573 disable dep collection when invoking lifecycle hooks
|
||||
pushTarget()
|
||||
const handlers = vm.$options[hook]
|
||||
const info = `${hook} hook`
|
||||
if (handlers) {
|
||||
for (let i = 0, j = handlers.length; i < j; i++) {
|
||||
try {
|
||||
handlers[i].call(vm)
|
||||
} catch (e) {
|
||||
handleError(e, vm, `${hook} hook`)
|
||||
}
|
||||
invokeWithErrorHandling(handlers[i], vm, null, vm, info)
|
||||
}
|
||||
}
|
||||
if (vm._hasHookEvent) {
|
||||
|
||||
19
node_modules/vue/src/core/instance/proxy.js
generated
vendored
19
node_modules/vue/src/core/instance/proxy.js
generated
vendored
@@ -24,6 +24,16 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
)
|
||||
}
|
||||
|
||||
const warnReservedPrefix = (target, key) => {
|
||||
warn(
|
||||
`Property "${key}" must be accessed with "$data.${key}" because ` +
|
||||
'properties starting with "$" or "_" are not proxied in the Vue instance to ' +
|
||||
'prevent conflicts with Vue internals' +
|
||||
'See: https://vuejs.org/v2/api/#data',
|
||||
target
|
||||
)
|
||||
}
|
||||
|
||||
const hasProxy =
|
||||
typeof Proxy !== 'undefined' && isNative(Proxy)
|
||||
|
||||
@@ -45,9 +55,11 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
const hasHandler = {
|
||||
has (target, key) {
|
||||
const has = key in target
|
||||
const isAllowed = allowedGlobals(key) || key.charAt(0) === '_'
|
||||
const isAllowed = allowedGlobals(key) ||
|
||||
(typeof key === 'string' && key.charAt(0) === '_' && !(key in target.$data))
|
||||
if (!has && !isAllowed) {
|
||||
warnNonPresent(target, key)
|
||||
if (key in target.$data) warnReservedPrefix(target, key)
|
||||
else warnNonPresent(target, key)
|
||||
}
|
||||
return has || !isAllowed
|
||||
}
|
||||
@@ -56,7 +68,8 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
const getHandler = {
|
||||
get (target, key) {
|
||||
if (typeof key === 'string' && !(key in target)) {
|
||||
warnNonPresent(target, key)
|
||||
if (key in target.$data) warnReservedPrefix(target, key)
|
||||
else warnNonPresent(target, key)
|
||||
}
|
||||
return target[key]
|
||||
}
|
||||
|
||||
8
node_modules/vue/src/core/instance/render-helpers/bind-object-props.js
generated
vendored
8
node_modules/vue/src/core/instance/render-helpers/bind-object-props.js
generated
vendored
@@ -6,7 +6,8 @@ import {
|
||||
warn,
|
||||
isObject,
|
||||
toObject,
|
||||
isReservedAttribute
|
||||
isReservedAttribute,
|
||||
camelize
|
||||
} from 'core/util/index'
|
||||
|
||||
/**
|
||||
@@ -43,12 +44,13 @@ export function bindObjectProps (
|
||||
? data.domProps || (data.domProps = {})
|
||||
: data.attrs || (data.attrs = {})
|
||||
}
|
||||
if (!(key in hash)) {
|
||||
const camelizedKey = camelize(key)
|
||||
if (!(key in hash) && !(camelizedKey in hash)) {
|
||||
hash[key] = value[key]
|
||||
|
||||
if (isSync) {
|
||||
const on = data.on || (data.on = {})
|
||||
on[`update:${key}`] = function ($event) {
|
||||
on[`update:${camelizedKey}`] = function ($event) {
|
||||
value[key] = $event
|
||||
}
|
||||
}
|
||||
|
||||
5
node_modules/vue/src/core/instance/render-helpers/index.js
generated
vendored
5
node_modules/vue/src/core/instance/render-helpers/index.js
generated
vendored
@@ -9,7 +9,8 @@ import { checkKeyCodes } from './check-keycodes'
|
||||
import { bindObjectProps } from './bind-object-props'
|
||||
import { renderStatic, markOnce } from './render-static'
|
||||
import { bindObjectListeners } from './bind-object-listeners'
|
||||
import { resolveScopedSlots } from './resolve-slots'
|
||||
import { resolveScopedSlots } from './resolve-scoped-slots'
|
||||
import { bindDynamicKeys, prependModifier } from './bind-dynamic-keys'
|
||||
|
||||
export function installRenderHelpers (target: any) {
|
||||
target._o = markOnce
|
||||
@@ -27,4 +28,6 @@ export function installRenderHelpers (target: any) {
|
||||
target._e = createEmptyVNode
|
||||
target._u = resolveScopedSlots
|
||||
target._g = bindObjectListeners
|
||||
target._d = bindDynamicKeys
|
||||
target._p = prependModifier
|
||||
}
|
||||
|
||||
27
node_modules/vue/src/core/instance/render-helpers/render-list.js
generated
vendored
27
node_modules/vue/src/core/instance/render-helpers/render-list.js
generated
vendored
@@ -1,6 +1,6 @@
|
||||
/* @flow */
|
||||
|
||||
import { isObject, isDef } from 'core/util/index'
|
||||
import { isObject, isDef, hasSymbol } from 'core/util/index'
|
||||
|
||||
/**
|
||||
* Runtime helper for rendering v-for lists.
|
||||
@@ -25,15 +25,26 @@ export function renderList (
|
||||
ret[i] = render(i + 1, i)
|
||||
}
|
||||
} else if (isObject(val)) {
|
||||
keys = Object.keys(val)
|
||||
ret = new Array(keys.length)
|
||||
for (i = 0, l = keys.length; i < l; i++) {
|
||||
key = keys[i]
|
||||
ret[i] = render(val[key], key, i)
|
||||
if (hasSymbol && val[Symbol.iterator]) {
|
||||
ret = []
|
||||
const iterator: Iterator<any> = val[Symbol.iterator]()
|
||||
let result = iterator.next()
|
||||
while (!result.done) {
|
||||
ret.push(render(result.value, ret.length))
|
||||
result = iterator.next()
|
||||
}
|
||||
} else {
|
||||
keys = Object.keys(val)
|
||||
ret = new Array(keys.length)
|
||||
for (i = 0, l = keys.length; i < l; i++) {
|
||||
key = keys[i]
|
||||
ret[i] = render(val[key], key, i)
|
||||
}
|
||||
}
|
||||
}
|
||||
if (isDef(ret)) {
|
||||
(ret: any)._isVList = true
|
||||
if (!isDef(ret)) {
|
||||
ret = []
|
||||
}
|
||||
(ret: any)._isVList = true
|
||||
return ret
|
||||
}
|
||||
|
||||
14
node_modules/vue/src/core/instance/render-helpers/render-slot.js
generated
vendored
14
node_modules/vue/src/core/instance/render-helpers/render-slot.js
generated
vendored
@@ -26,19 +26,7 @@ export function renderSlot (
|
||||
}
|
||||
nodes = scopedSlotFn(props) || fallback
|
||||
} else {
|
||||
const slotNodes = this.$slots[name]
|
||||
// warn duplicate slot usage
|
||||
if (slotNodes) {
|
||||
if (process.env.NODE_ENV !== 'production' && slotNodes._rendered) {
|
||||
warn(
|
||||
`Duplicate presence of slot "${name}" found in the same render tree ` +
|
||||
`- this will likely cause render errors.`,
|
||||
this
|
||||
)
|
||||
}
|
||||
slotNodes._rendered = true
|
||||
}
|
||||
nodes = slotNodes || fallback
|
||||
nodes = this.$slots[name] || fallback
|
||||
}
|
||||
|
||||
const target = props && props.slot
|
||||
|
||||
21
node_modules/vue/src/core/instance/render-helpers/resolve-slots.js
generated
vendored
21
node_modules/vue/src/core/instance/render-helpers/resolve-slots.js
generated
vendored
@@ -9,10 +9,10 @@ export function resolveSlots (
|
||||
children: ?Array<VNode>,
|
||||
context: ?Component
|
||||
): { [key: string]: Array<VNode> } {
|
||||
const slots = {}
|
||||
if (!children) {
|
||||
return slots
|
||||
if (!children || !children.length) {
|
||||
return {}
|
||||
}
|
||||
const slots = {}
|
||||
for (let i = 0, l = children.length; i < l; i++) {
|
||||
const child = children[i]
|
||||
const data = child.data
|
||||
@@ -48,18 +48,3 @@ export function resolveSlots (
|
||||
function isWhitespace (node: VNode): boolean {
|
||||
return (node.isComment && !node.asyncFactory) || node.text === ' '
|
||||
}
|
||||
|
||||
export function resolveScopedSlots (
|
||||
fns: ScopedSlotsData, // see flow/vnode
|
||||
res?: Object
|
||||
): { [key: string]: Function } {
|
||||
res = res || {}
|
||||
for (let i = 0; i < fns.length; i++) {
|
||||
if (Array.isArray(fns[i])) {
|
||||
resolveScopedSlots(fns[i], res)
|
||||
} else {
|
||||
res[fns[i].key] = fns[i].fn
|
||||
}
|
||||
}
|
||||
return res
|
||||
}
|
||||
|
||||
46
node_modules/vue/src/core/instance/render.js
generated
vendored
46
node_modules/vue/src/core/instance/render.js
generated
vendored
@@ -11,6 +11,7 @@ import {
|
||||
import { createElement } from '../vdom/create-element'
|
||||
import { installRenderHelpers } from './render-helpers/index'
|
||||
import { resolveSlots } from './render-helpers/resolve-slots'
|
||||
import { normalizeScopedSlots } from '../vdom/helpers/normalize-scoped-slots'
|
||||
import VNode, { createEmptyVNode } from '../vdom/vnode'
|
||||
|
||||
import { isUpdatingChildComponent } from './lifecycle'
|
||||
@@ -50,6 +51,13 @@ export function initRender (vm: Component) {
|
||||
}
|
||||
}
|
||||
|
||||
export let currentRenderingInstance: Component | null = null
|
||||
|
||||
// for testing only
|
||||
export function setCurrentRenderingInstance (vm: Component) {
|
||||
currentRenderingInstance = vm
|
||||
}
|
||||
|
||||
export function renderMixin (Vue: Class<Component>) {
|
||||
// install runtime convenience helpers
|
||||
installRenderHelpers(Vue.prototype)
|
||||
@@ -62,16 +70,12 @@ export function renderMixin (Vue: Class<Component>) {
|
||||
const vm: Component = this
|
||||
const { render, _parentVnode } = vm.$options
|
||||
|
||||
// reset _rendered flag on slots for duplicate slot check
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
for (const key in vm.$slots) {
|
||||
// $flow-disable-line
|
||||
vm.$slots[key]._rendered = false
|
||||
}
|
||||
}
|
||||
|
||||
if (_parentVnode) {
|
||||
vm.$scopedSlots = _parentVnode.data.scopedSlots || emptyObject
|
||||
vm.$scopedSlots = normalizeScopedSlots(
|
||||
_parentVnode.data.scopedSlots,
|
||||
vm.$slots,
|
||||
vm.$scopedSlots
|
||||
)
|
||||
}
|
||||
|
||||
// set parent vnode. this allows render functions to have access
|
||||
@@ -80,26 +84,32 @@ export function renderMixin (Vue: Class<Component>) {
|
||||
// render self
|
||||
let vnode
|
||||
try {
|
||||
// There's no need to maintain a stack becaues all render fns are called
|
||||
// separately from one another. Nested component's render fns are called
|
||||
// when parent component is patched.
|
||||
currentRenderingInstance = vm
|
||||
vnode = render.call(vm._renderProxy, vm.$createElement)
|
||||
} catch (e) {
|
||||
handleError(e, vm, `render`)
|
||||
// return error render result,
|
||||
// or previous vnode to prevent render error causing blank component
|
||||
/* istanbul ignore else */
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
if (vm.$options.renderError) {
|
||||
try {
|
||||
vnode = vm.$options.renderError.call(vm._renderProxy, vm.$createElement, e)
|
||||
} catch (e) {
|
||||
handleError(e, vm, `renderError`)
|
||||
vnode = vm._vnode
|
||||
}
|
||||
} else {
|
||||
if (process.env.NODE_ENV !== 'production' && vm.$options.renderError) {
|
||||
try {
|
||||
vnode = vm.$options.renderError.call(vm._renderProxy, vm.$createElement, e)
|
||||
} catch (e) {
|
||||
handleError(e, vm, `renderError`)
|
||||
vnode = vm._vnode
|
||||
}
|
||||
} else {
|
||||
vnode = vm._vnode
|
||||
}
|
||||
} finally {
|
||||
currentRenderingInstance = null
|
||||
}
|
||||
// if the returned array contains only a single node, allow it
|
||||
if (Array.isArray(vnode) && vnode.length === 1) {
|
||||
vnode = vnode[0]
|
||||
}
|
||||
// return empty vnode in case the render function errored out
|
||||
if (!(vnode instanceof VNode)) {
|
||||
|
||||
30
node_modules/vue/src/core/instance/state.js
generated
vendored
30
node_modules/vue/src/core/instance/state.js
generated
vendored
@@ -86,7 +86,7 @@ function initProps (vm: Component, propsOptions: Object) {
|
||||
)
|
||||
}
|
||||
defineReactive(props, key, value, () => {
|
||||
if (vm.$parent && !isUpdatingChildComponent) {
|
||||
if (!isRoot && !isUpdatingChildComponent) {
|
||||
warn(
|
||||
`Avoid mutating a prop directly since the value will be ` +
|
||||
`overwritten whenever the parent component re-renders. ` +
|
||||
@@ -216,17 +216,15 @@ export function defineComputed (
|
||||
if (typeof userDef === 'function') {
|
||||
sharedPropertyDefinition.get = shouldCache
|
||||
? createComputedGetter(key)
|
||||
: userDef
|
||||
: createGetterInvoker(userDef)
|
||||
sharedPropertyDefinition.set = noop
|
||||
} else {
|
||||
sharedPropertyDefinition.get = userDef.get
|
||||
? shouldCache && userDef.cache !== false
|
||||
? createComputedGetter(key)
|
||||
: userDef.get
|
||||
: noop
|
||||
sharedPropertyDefinition.set = userDef.set
|
||||
? userDef.set
|
||||
: createGetterInvoker(userDef.get)
|
||||
: noop
|
||||
sharedPropertyDefinition.set = userDef.set || noop
|
||||
}
|
||||
if (process.env.NODE_ENV !== 'production' &&
|
||||
sharedPropertyDefinition.set === noop) {
|
||||
@@ -255,13 +253,19 @@ function createComputedGetter (key) {
|
||||
}
|
||||
}
|
||||
|
||||
function createGetterInvoker(fn) {
|
||||
return function computedGetter () {
|
||||
return fn.call(this, this)
|
||||
}
|
||||
}
|
||||
|
||||
function initMethods (vm: Component, methods: Object) {
|
||||
const props = vm.$options.props
|
||||
for (const key in methods) {
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
if (methods[key] == null) {
|
||||
if (typeof methods[key] !== 'function') {
|
||||
warn(
|
||||
`Method "${key}" has an undefined value in the component definition. ` +
|
||||
`Method "${key}" has type "${typeof methods[key]}" in the component definition. ` +
|
||||
`Did you reference the function correctly?`,
|
||||
vm
|
||||
)
|
||||
@@ -279,7 +283,7 @@ function initMethods (vm: Component, methods: Object) {
|
||||
)
|
||||
}
|
||||
}
|
||||
vm[key] = methods[key] == null ? noop : bind(methods[key], vm)
|
||||
vm[key] = typeof methods[key] !== 'function' ? noop : bind(methods[key], vm)
|
||||
}
|
||||
}
|
||||
|
||||
@@ -321,7 +325,7 @@ export function stateMixin (Vue: Class<Component>) {
|
||||
const propsDef = {}
|
||||
propsDef.get = function () { return this._props }
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
dataDef.set = function (newData: Object) {
|
||||
dataDef.set = function () {
|
||||
warn(
|
||||
'Avoid replacing instance root $data. ' +
|
||||
'Use nested data properties instead.',
|
||||
@@ -351,7 +355,11 @@ export function stateMixin (Vue: Class<Component>) {
|
||||
options.user = true
|
||||
const watcher = new Watcher(vm, expOrFn, cb, options)
|
||||
if (options.immediate) {
|
||||
cb.call(vm, watcher.value)
|
||||
try {
|
||||
cb.call(vm, watcher.value)
|
||||
} catch (error) {
|
||||
handleError(error, vm, `callback for immediate watcher "${watcher.expression}"`)
|
||||
}
|
||||
}
|
||||
return function unwatchFn () {
|
||||
watcher.teardown()
|
||||
|
||||
22
node_modules/vue/src/core/observer/dep.js
generated
vendored
22
node_modules/vue/src/core/observer/dep.js
generated
vendored
@@ -2,6 +2,7 @@
|
||||
|
||||
import type Watcher from './watcher'
|
||||
import { remove } from '../util/index'
|
||||
import config from '../config'
|
||||
|
||||
let uid = 0
|
||||
|
||||
@@ -36,23 +37,30 @@ export default class Dep {
|
||||
notify () {
|
||||
// stabilize the subscriber list first
|
||||
const subs = this.subs.slice()
|
||||
if (process.env.NODE_ENV !== 'production' && !config.async) {
|
||||
// subs aren't sorted in scheduler if not running async
|
||||
// we need to sort them now to make sure they fire in correct
|
||||
// order
|
||||
subs.sort((a, b) => a.id - b.id)
|
||||
}
|
||||
for (let i = 0, l = subs.length; i < l; i++) {
|
||||
subs[i].update()
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// the current target watcher being evaluated.
|
||||
// this is globally unique because there could be only one
|
||||
// watcher being evaluated at any time.
|
||||
// The current target watcher being evaluated.
|
||||
// This is globally unique because only one watcher
|
||||
// can be evaluated at a time.
|
||||
Dep.target = null
|
||||
const targetStack = []
|
||||
|
||||
export function pushTarget (_target: ?Watcher) {
|
||||
if (Dep.target) targetStack.push(Dep.target)
|
||||
Dep.target = _target
|
||||
export function pushTarget (target: ?Watcher) {
|
||||
targetStack.push(target)
|
||||
Dep.target = target
|
||||
}
|
||||
|
||||
export function popTarget () {
|
||||
Dep.target = targetStack.pop()
|
||||
targetStack.pop()
|
||||
Dep.target = targetStack[targetStack.length - 1]
|
||||
}
|
||||
|
||||
25
node_modules/vue/src/core/observer/index.js
generated
vendored
25
node_modules/vue/src/core/observer/index.js
generated
vendored
@@ -37,7 +37,7 @@ export function toggleObserving (value: boolean) {
|
||||
export class Observer {
|
||||
value: any;
|
||||
dep: Dep;
|
||||
vmCount: number; // number of vms that has this object as root $data
|
||||
vmCount: number; // number of vms that have this object as root $data
|
||||
|
||||
constructor (value: any) {
|
||||
this.value = value
|
||||
@@ -45,10 +45,11 @@ export class Observer {
|
||||
this.vmCount = 0
|
||||
def(value, '__ob__', this)
|
||||
if (Array.isArray(value)) {
|
||||
const augment = hasProto
|
||||
? protoAugment
|
||||
: copyAugment
|
||||
augment(value, arrayMethods, arrayKeys)
|
||||
if (hasProto) {
|
||||
protoAugment(value, arrayMethods)
|
||||
} else {
|
||||
copyAugment(value, arrayMethods, arrayKeys)
|
||||
}
|
||||
this.observeArray(value)
|
||||
} else {
|
||||
this.walk(value)
|
||||
@@ -56,7 +57,7 @@ export class Observer {
|
||||
}
|
||||
|
||||
/**
|
||||
* Walk through each property and convert them into
|
||||
* Walk through all properties and convert them into
|
||||
* getter/setters. This method should only be called when
|
||||
* value type is Object.
|
||||
*/
|
||||
@@ -80,17 +81,17 @@ export class Observer {
|
||||
// helpers
|
||||
|
||||
/**
|
||||
* Augment an target Object or Array by intercepting
|
||||
* Augment a target Object or Array by intercepting
|
||||
* the prototype chain using __proto__
|
||||
*/
|
||||
function protoAugment (target, src: Object, keys: any) {
|
||||
function protoAugment (target, src: Object) {
|
||||
/* eslint-disable no-proto */
|
||||
target.__proto__ = src
|
||||
/* eslint-enable no-proto */
|
||||
}
|
||||
|
||||
/**
|
||||
* Augment an target Object or Array by defining
|
||||
* Augment a target Object or Array by defining
|
||||
* hidden properties.
|
||||
*/
|
||||
/* istanbul ignore next */
|
||||
@@ -147,10 +148,10 @@ export function defineReactive (
|
||||
|
||||
// cater for pre-defined getter/setters
|
||||
const getter = property && property.get
|
||||
if (!getter && arguments.length === 2) {
|
||||
const setter = property && property.set
|
||||
if ((!getter || setter) && arguments.length === 2) {
|
||||
val = obj[key]
|
||||
}
|
||||
const setter = property && property.set
|
||||
|
||||
let childOb = !shallow && observe(val)
|
||||
Object.defineProperty(obj, key, {
|
||||
@@ -179,6 +180,8 @@ export function defineReactive (
|
||||
if (process.env.NODE_ENV !== 'production' && customSetter) {
|
||||
customSetter()
|
||||
}
|
||||
// #7981: for accessor properties without setter
|
||||
if (getter && !setter) return
|
||||
if (setter) {
|
||||
setter.call(obj, newVal)
|
||||
} else {
|
||||
|
||||
35
node_modules/vue/src/core/observer/scheduler.js
generated
vendored
35
node_modules/vue/src/core/observer/scheduler.js
generated
vendored
@@ -7,7 +7,8 @@ import { callHook, activateChildComponent } from '../instance/lifecycle'
|
||||
import {
|
||||
warn,
|
||||
nextTick,
|
||||
devtools
|
||||
devtools,
|
||||
inBrowser
|
||||
} from '../util/index'
|
||||
|
||||
export const MAX_UPDATE_COUNT = 100
|
||||
@@ -32,10 +33,32 @@ function resetSchedulerState () {
|
||||
waiting = flushing = false
|
||||
}
|
||||
|
||||
// Async edge case #6566 requires saving the timestamp when event listeners are
|
||||
// attached. However, calling performance.now() has a perf overhead especially
|
||||
// if the page has thousands of event listeners. Instead, we take a timestamp
|
||||
// every time the scheduler flushes and use that for all event listeners
|
||||
// attached during that flush.
|
||||
export let currentFlushTimestamp = 0
|
||||
|
||||
// Async edge case fix requires storing an event listener's attach timestamp.
|
||||
let getNow: () => number = Date.now
|
||||
|
||||
// Determine what event timestamp the browser is using. Annoyingly, the
|
||||
// timestamp can either be hi-res (relative to page load) or low-res
|
||||
// (relative to UNIX epoch), so in order to compare time we have to use the
|
||||
// same timestamp type when saving the flush timestamp.
|
||||
if (inBrowser && getNow() > document.createEvent('Event').timeStamp) {
|
||||
// if the low-res timestamp which is bigger than the event timestamp
|
||||
// (which is evaluated AFTER) it means the event is using a hi-res timestamp,
|
||||
// and we need to use the hi-res version for event listeners as well.
|
||||
getNow = () => performance.now()
|
||||
}
|
||||
|
||||
/**
|
||||
* Flush both queues and run the watchers.
|
||||
*/
|
||||
function flushSchedulerQueue () {
|
||||
currentFlushTimestamp = getNow()
|
||||
flushing = true
|
||||
let watcher, id
|
||||
|
||||
@@ -53,6 +76,9 @@ function flushSchedulerQueue () {
|
||||
// as we run existing watchers
|
||||
for (index = 0; index < queue.length; index++) {
|
||||
watcher = queue[index]
|
||||
if (watcher.before) {
|
||||
watcher.before()
|
||||
}
|
||||
id = watcher.id
|
||||
has[id] = null
|
||||
watcher.run()
|
||||
@@ -95,7 +121,7 @@ function callUpdatedHooks (queue) {
|
||||
while (i--) {
|
||||
const watcher = queue[i]
|
||||
const vm = watcher.vm
|
||||
if (vm._watcher === watcher && vm._isMounted) {
|
||||
if (vm._watcher === watcher && vm._isMounted && !vm._isDestroyed) {
|
||||
callHook(vm, 'updated')
|
||||
}
|
||||
}
|
||||
@@ -142,6 +168,11 @@ export function queueWatcher (watcher: Watcher) {
|
||||
// queue the flush
|
||||
if (!waiting) {
|
||||
waiting = true
|
||||
|
||||
if (process.env.NODE_ENV !== 'production' && !config.async) {
|
||||
flushSchedulerQueue()
|
||||
return
|
||||
}
|
||||
nextTick(flushSchedulerQueue)
|
||||
}
|
||||
}
|
||||
|
||||
7
node_modules/vue/src/core/observer/watcher.js
generated
vendored
7
node_modules/vue/src/core/observer/watcher.js
generated
vendored
@@ -6,7 +6,8 @@ import {
|
||||
isObject,
|
||||
parsePath,
|
||||
_Set as Set,
|
||||
handleError
|
||||
handleError,
|
||||
noop
|
||||
} from '../util/index'
|
||||
|
||||
import { traverse } from './traverse'
|
||||
@@ -37,6 +38,7 @@ export default class Watcher {
|
||||
newDeps: Array<Dep>;
|
||||
depIds: SimpleSet;
|
||||
newDepIds: SimpleSet;
|
||||
before: ?Function;
|
||||
getter: Function;
|
||||
value: any;
|
||||
|
||||
@@ -58,6 +60,7 @@ export default class Watcher {
|
||||
this.user = !!options.user
|
||||
this.lazy = !!options.lazy
|
||||
this.sync = !!options.sync
|
||||
this.before = options.before
|
||||
} else {
|
||||
this.deep = this.user = this.lazy = this.sync = false
|
||||
}
|
||||
@@ -78,7 +81,7 @@ export default class Watcher {
|
||||
} else {
|
||||
this.getter = parsePath(expOrFn)
|
||||
if (!this.getter) {
|
||||
this.getter = function () {}
|
||||
this.getter = noop
|
||||
process.env.NODE_ENV !== 'production' && warn(
|
||||
`Failed watching path: "${expOrFn}" ` +
|
||||
'Watcher only accepts simple dot-delimited paths. ' +
|
||||
|
||||
2
node_modules/vue/src/core/util/debug.js
generated
vendored
2
node_modules/vue/src/core/util/debug.js
generated
vendored
@@ -41,7 +41,7 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
? vm.options
|
||||
: vm._isVue
|
||||
? vm.$options || vm.constructor.options
|
||||
: vm || {}
|
||||
: vm
|
||||
let name = options.name || options._componentTag
|
||||
const file = options.__file
|
||||
if (!name && file) {
|
||||
|
||||
4
node_modules/vue/src/core/util/env.js
generated
vendored
4
node_modules/vue/src/core/util/env.js
generated
vendored
@@ -14,6 +14,8 @@ export const isEdge = UA && UA.indexOf('edge/') > 0
|
||||
export const isAndroid = (UA && UA.indexOf('android') > 0) || (weexPlatform === 'android')
|
||||
export const isIOS = (UA && /iphone|ipad|ipod|ios/.test(UA)) || (weexPlatform === 'ios')
|
||||
export const isChrome = UA && /chrome\/\d+/.test(UA) && !isEdge
|
||||
export const isPhantomJS = UA && /phantomjs/.test(UA)
|
||||
export const isFF = UA && UA.match(/firefox\/(\d+)/)
|
||||
|
||||
// Firefox has a "watch" function on Object.prototype...
|
||||
export const nativeWatch = ({}).watch
|
||||
@@ -41,7 +43,7 @@ export const isServerRendering = () => {
|
||||
if (!inBrowser && !inWeex && typeof global !== 'undefined') {
|
||||
// detect presence of vue-server-renderer and avoid
|
||||
// Webpack shimming the process
|
||||
_isServer = global['process'].env.VUE_ENV === 'server'
|
||||
_isServer = global['process'] && global['process'].env.VUE_ENV === 'server'
|
||||
} else {
|
||||
_isServer = false
|
||||
}
|
||||
|
||||
60
node_modules/vue/src/core/util/error.js
generated
vendored
60
node_modules/vue/src/core/util/error.js
generated
vendored
@@ -3,25 +3,55 @@
|
||||
import config from '../config'
|
||||
import { warn } from './debug'
|
||||
import { inBrowser, inWeex } from './env'
|
||||
import { isPromise } from 'shared/util'
|
||||
import { pushTarget, popTarget } from '../observer/dep'
|
||||
|
||||
export function handleError (err: Error, vm: any, info: string) {
|
||||
if (vm) {
|
||||
let cur = vm
|
||||
while ((cur = cur.$parent)) {
|
||||
const hooks = cur.$options.errorCaptured
|
||||
if (hooks) {
|
||||
for (let i = 0; i < hooks.length; i++) {
|
||||
try {
|
||||
const capture = hooks[i].call(cur, err, vm, info) === false
|
||||
if (capture) return
|
||||
} catch (e) {
|
||||
globalHandleError(e, cur, 'errorCaptured hook')
|
||||
// Deactivate deps tracking while processing error handler to avoid possible infinite rendering.
|
||||
// See: https://github.com/vuejs/vuex/issues/1505
|
||||
pushTarget()
|
||||
try {
|
||||
if (vm) {
|
||||
let cur = vm
|
||||
while ((cur = cur.$parent)) {
|
||||
const hooks = cur.$options.errorCaptured
|
||||
if (hooks) {
|
||||
for (let i = 0; i < hooks.length; i++) {
|
||||
try {
|
||||
const capture = hooks[i].call(cur, err, vm, info) === false
|
||||
if (capture) return
|
||||
} catch (e) {
|
||||
globalHandleError(e, cur, 'errorCaptured hook')
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
globalHandleError(err, vm, info)
|
||||
} finally {
|
||||
popTarget()
|
||||
}
|
||||
globalHandleError(err, vm, info)
|
||||
}
|
||||
|
||||
export function invokeWithErrorHandling (
|
||||
handler: Function,
|
||||
context: any,
|
||||
args: null | any[],
|
||||
vm: any,
|
||||
info: string
|
||||
) {
|
||||
let res
|
||||
try {
|
||||
res = args ? handler.apply(context, args) : handler.call(context)
|
||||
if (res && !res._isVue && isPromise(res)) {
|
||||
// issue #9511
|
||||
// reassign to res to avoid catch triggering multiple times when nested calls
|
||||
res = res.catch(e => handleError(e, vm, info + ` (Promise/async)`))
|
||||
}
|
||||
} catch (e) {
|
||||
handleError(e, vm, info)
|
||||
}
|
||||
return res
|
||||
}
|
||||
|
||||
function globalHandleError (err, vm, info) {
|
||||
@@ -29,7 +59,11 @@ function globalHandleError (err, vm, info) {
|
||||
try {
|
||||
return config.errorHandler.call(null, err, vm, info)
|
||||
} catch (e) {
|
||||
logError(e, null, 'config.errorHandler')
|
||||
// if the user intentionally throws the original error in the handler,
|
||||
// do not log it twice
|
||||
if (e !== err) {
|
||||
logError(e, null, 'config.errorHandler')
|
||||
}
|
||||
}
|
||||
}
|
||||
logError(err, vm, info)
|
||||
|
||||
9
node_modules/vue/src/core/util/lang.js
generated
vendored
9
node_modules/vue/src/core/util/lang.js
generated
vendored
@@ -1,5 +1,12 @@
|
||||
/* @flow */
|
||||
|
||||
/**
|
||||
* unicode letters used for parsing html tags, component names and property paths.
|
||||
* using https://www.w3.org/TR/html53/semantics-scripting.html#potentialcustomelementname
|
||||
* skipping \u10000-\uEFFFF due to it freezing up PhantomJS
|
||||
*/
|
||||
export const unicodeRegExp = /a-zA-Z\u00B7\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u037D\u037F-\u1FFF\u200C-\u200D\u203F-\u2040\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD/
|
||||
|
||||
/**
|
||||
* Check if a string starts with $ or _
|
||||
*/
|
||||
@@ -23,7 +30,7 @@ export function def (obj: Object, key: string, val: any, enumerable?: boolean) {
|
||||
/**
|
||||
* Parse simple path.
|
||||
*/
|
||||
const bailRE = /[^\w.$]/
|
||||
const bailRE = new RegExp(`[^${unicodeRegExp.source}.$_\\d]`)
|
||||
export function parsePath (path: string): any {
|
||||
if (bailRE.test(path)) {
|
||||
return
|
||||
|
||||
119
node_modules/vue/src/core/util/next-tick.js
generated
vendored
119
node_modules/vue/src/core/util/next-tick.js
generated
vendored
@@ -1,9 +1,11 @@
|
||||
/* @flow */
|
||||
/* globals MessageChannel */
|
||||
/* globals MutationObserver */
|
||||
|
||||
import { noop } from 'shared/util'
|
||||
import { handleError } from './error'
|
||||
import { isIOS, isNative } from './env'
|
||||
import { isIE, isIOS, isNative } from './env'
|
||||
|
||||
export let isUsingMicroTask = false
|
||||
|
||||
const callbacks = []
|
||||
let pending = false
|
||||
@@ -17,74 +19,69 @@ function flushCallbacks () {
|
||||
}
|
||||
}
|
||||
|
||||
// Here we have async deferring wrappers using both microtasks and (macro) tasks.
|
||||
// In < 2.4 we used microtasks everywhere, but there are some scenarios where
|
||||
// microtasks have too high a priority and fire in between supposedly
|
||||
// sequential events (e.g. #4521, #6690) or even between bubbling of the same
|
||||
// event (#6566). However, using (macro) tasks everywhere also has subtle problems
|
||||
// when state is changed right before repaint (e.g. #6813, out-in transitions).
|
||||
// Here we use microtask by default, but expose a way to force (macro) task when
|
||||
// needed (e.g. in event handlers attached by v-on).
|
||||
let microTimerFunc
|
||||
let macroTimerFunc
|
||||
let useMacroTask = false
|
||||
// Here we have async deferring wrappers using microtasks.
|
||||
// In 2.5 we used (macro) tasks (in combination with microtasks).
|
||||
// However, it has subtle problems when state is changed right before repaint
|
||||
// (e.g. #6813, out-in transitions).
|
||||
// Also, using (macro) tasks in event handler would cause some weird behaviors
|
||||
// that cannot be circumvented (e.g. #7109, #7153, #7546, #7834, #8109).
|
||||
// So we now use microtasks everywhere, again.
|
||||
// A major drawback of this tradeoff is that there are some scenarios
|
||||
// where microtasks have too high a priority and fire in between supposedly
|
||||
// sequential events (e.g. #4521, #6690, which have workarounds)
|
||||
// or even between bubbling of the same event (#6566).
|
||||
let timerFunc
|
||||
|
||||
// Determine (macro) task defer implementation.
|
||||
// Technically setImmediate should be the ideal choice, but it's only available
|
||||
// in IE. The only polyfill that consistently queues the callback after all DOM
|
||||
// events triggered in the same loop is by using MessageChannel.
|
||||
/* istanbul ignore if */
|
||||
if (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {
|
||||
macroTimerFunc = () => {
|
||||
setImmediate(flushCallbacks)
|
||||
}
|
||||
} else if (typeof MessageChannel !== 'undefined' && (
|
||||
isNative(MessageChannel) ||
|
||||
// PhantomJS
|
||||
MessageChannel.toString() === '[object MessageChannelConstructor]'
|
||||
)) {
|
||||
const channel = new MessageChannel()
|
||||
const port = channel.port2
|
||||
channel.port1.onmessage = flushCallbacks
|
||||
macroTimerFunc = () => {
|
||||
port.postMessage(1)
|
||||
}
|
||||
} else {
|
||||
/* istanbul ignore next */
|
||||
macroTimerFunc = () => {
|
||||
setTimeout(flushCallbacks, 0)
|
||||
}
|
||||
}
|
||||
|
||||
// Determine microtask defer implementation.
|
||||
// The nextTick behavior leverages the microtask queue, which can be accessed
|
||||
// via either native Promise.then or MutationObserver.
|
||||
// MutationObserver has wider support, however it is seriously bugged in
|
||||
// UIWebView in iOS >= 9.3.3 when triggered in touch event handlers. It
|
||||
// completely stops working after triggering a few times... so, if native
|
||||
// Promise is available, we will use it:
|
||||
/* istanbul ignore next, $flow-disable-line */
|
||||
if (typeof Promise !== 'undefined' && isNative(Promise)) {
|
||||
const p = Promise.resolve()
|
||||
microTimerFunc = () => {
|
||||
timerFunc = () => {
|
||||
p.then(flushCallbacks)
|
||||
// in problematic UIWebViews, Promise.then doesn't completely break, but
|
||||
// In problematic UIWebViews, Promise.then doesn't completely break, but
|
||||
// it can get stuck in a weird state where callbacks are pushed into the
|
||||
// microtask queue but the queue isn't being flushed, until the browser
|
||||
// needs to do some other work, e.g. handle a timer. Therefore we can
|
||||
// "force" the microtask queue to be flushed by adding an empty timer.
|
||||
if (isIOS) setTimeout(noop)
|
||||
}
|
||||
} else {
|
||||
// fallback to macro
|
||||
microTimerFunc = macroTimerFunc
|
||||
}
|
||||
|
||||
/**
|
||||
* Wrap a function so that if any code inside triggers state change,
|
||||
* the changes are queued using a (macro) task instead of a microtask.
|
||||
*/
|
||||
export function withMacroTask (fn: Function): Function {
|
||||
return fn._withTask || (fn._withTask = function () {
|
||||
useMacroTask = true
|
||||
const res = fn.apply(null, arguments)
|
||||
useMacroTask = false
|
||||
return res
|
||||
isUsingMicroTask = true
|
||||
} else if (!isIE && typeof MutationObserver !== 'undefined' && (
|
||||
isNative(MutationObserver) ||
|
||||
// PhantomJS and iOS 7.x
|
||||
MutationObserver.toString() === '[object MutationObserverConstructor]'
|
||||
)) {
|
||||
// Use MutationObserver where native Promise is not available,
|
||||
// e.g. PhantomJS, iOS7, Android 4.4
|
||||
// (#6466 MutationObserver is unreliable in IE11)
|
||||
let counter = 1
|
||||
const observer = new MutationObserver(flushCallbacks)
|
||||
const textNode = document.createTextNode(String(counter))
|
||||
observer.observe(textNode, {
|
||||
characterData: true
|
||||
})
|
||||
timerFunc = () => {
|
||||
counter = (counter + 1) % 2
|
||||
textNode.data = String(counter)
|
||||
}
|
||||
isUsingMicroTask = true
|
||||
} else if (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {
|
||||
// Fallback to setImmediate.
|
||||
// Techinically it leverages the (macro) task queue,
|
||||
// but it is still a better choice than setTimeout.
|
||||
timerFunc = () => {
|
||||
setImmediate(flushCallbacks)
|
||||
}
|
||||
} else {
|
||||
// Fallback to setTimeout.
|
||||
timerFunc = () => {
|
||||
setTimeout(flushCallbacks, 0)
|
||||
}
|
||||
}
|
||||
|
||||
export function nextTick (cb?: Function, ctx?: Object) {
|
||||
@@ -102,11 +99,7 @@ export function nextTick (cb?: Function, ctx?: Object) {
|
||||
})
|
||||
if (!pending) {
|
||||
pending = true
|
||||
if (useMacroTask) {
|
||||
macroTimerFunc()
|
||||
} else {
|
||||
microTimerFunc()
|
||||
}
|
||||
timerFunc()
|
||||
}
|
||||
// $flow-disable-line
|
||||
if (!cb && typeof Promise !== 'undefined') {
|
||||
|
||||
58
node_modules/vue/src/core/util/options.js
generated
vendored
58
node_modules/vue/src/core/util/options.js
generated
vendored
@@ -2,8 +2,9 @@
|
||||
|
||||
import config from '../config'
|
||||
import { warn } from './debug'
|
||||
import { nativeWatch } from './env'
|
||||
import { set } from '../observer/index'
|
||||
import { unicodeRegExp } from './lang'
|
||||
import { nativeWatch, hasSymbol } from './env'
|
||||
|
||||
import {
|
||||
ASSET_TYPES,
|
||||
@@ -48,14 +49,24 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
function mergeData (to: Object, from: ?Object): Object {
|
||||
if (!from) return to
|
||||
let key, toVal, fromVal
|
||||
const keys = Object.keys(from)
|
||||
|
||||
const keys = hasSymbol
|
||||
? Reflect.ownKeys(from)
|
||||
: Object.keys(from)
|
||||
|
||||
for (let i = 0; i < keys.length; i++) {
|
||||
key = keys[i]
|
||||
// in case the object is already observed...
|
||||
if (key === '__ob__') continue
|
||||
toVal = to[key]
|
||||
fromVal = from[key]
|
||||
if (!hasOwn(to, key)) {
|
||||
set(to, key, fromVal)
|
||||
} else if (isPlainObject(toVal) && isPlainObject(fromVal)) {
|
||||
} else if (
|
||||
toVal !== fromVal &&
|
||||
isPlainObject(toVal) &&
|
||||
isPlainObject(fromVal)
|
||||
) {
|
||||
mergeData(toVal, fromVal)
|
||||
}
|
||||
}
|
||||
@@ -136,13 +147,26 @@ function mergeHook (
|
||||
parentVal: ?Array<Function>,
|
||||
childVal: ?Function | ?Array<Function>
|
||||
): ?Array<Function> {
|
||||
return childVal
|
||||
const res = childVal
|
||||
? parentVal
|
||||
? parentVal.concat(childVal)
|
||||
: Array.isArray(childVal)
|
||||
? childVal
|
||||
: [childVal]
|
||||
: parentVal
|
||||
return res
|
||||
? dedupeHooks(res)
|
||||
: res
|
||||
}
|
||||
|
||||
function dedupeHooks (hooks) {
|
||||
const res = []
|
||||
for (let i = 0; i < hooks.length; i++) {
|
||||
if (res.indexOf(hooks[i]) === -1) {
|
||||
res.push(hooks[i])
|
||||
}
|
||||
}
|
||||
return res
|
||||
}
|
||||
|
||||
LIFECYCLE_HOOKS.forEach(hook => {
|
||||
@@ -253,11 +277,10 @@ function checkComponents (options: Object) {
|
||||
}
|
||||
|
||||
export function validateComponentName (name: string) {
|
||||
if (!/^[a-zA-Z][\w-]*$/.test(name)) {
|
||||
if (!new RegExp(`^[a-zA-Z][\\-\\.0-9_${unicodeRegExp.source}]*$`).test(name)) {
|
||||
warn(
|
||||
'Invalid component name: "' + name + '". Component names ' +
|
||||
'can only contain alphanumeric characters and the hyphen, ' +
|
||||
'and must start with a letter.'
|
||||
'should conform to valid custom element name in html5 specification.'
|
||||
)
|
||||
}
|
||||
if (isBuiltInTag(name) || config.isReservedTag(name)) {
|
||||
@@ -378,15 +401,22 @@ export function mergeOptions (
|
||||
normalizeProps(child, vm)
|
||||
normalizeInject(child, vm)
|
||||
normalizeDirectives(child)
|
||||
const extendsFrom = child.extends
|
||||
if (extendsFrom) {
|
||||
parent = mergeOptions(parent, extendsFrom, vm)
|
||||
}
|
||||
if (child.mixins) {
|
||||
for (let i = 0, l = child.mixins.length; i < l; i++) {
|
||||
parent = mergeOptions(parent, child.mixins[i], vm)
|
||||
|
||||
// Apply extends and mixins on the child options,
|
||||
// but only if it is a raw options object that isn't
|
||||
// the result of another mergeOptions call.
|
||||
// Only merged options has the _base property.
|
||||
if (!child._base) {
|
||||
if (child.extends) {
|
||||
parent = mergeOptions(parent, child.extends, vm)
|
||||
}
|
||||
if (child.mixins) {
|
||||
for (let i = 0, l = child.mixins.length; i < l; i++) {
|
||||
parent = mergeOptions(parent, child.mixins[i], vm)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
const options = {}
|
||||
let key
|
||||
for (key in parent) {
|
||||
|
||||
2
node_modules/vue/src/core/util/perf.js
generated
vendored
2
node_modules/vue/src/core/util/perf.js
generated
vendored
@@ -18,7 +18,7 @@ if (process.env.NODE_ENV !== 'production') {
|
||||
perf.measure(name, startTag, endTag)
|
||||
perf.clearMarks(startTag)
|
||||
perf.clearMarks(endTag)
|
||||
perf.clearMeasures(name)
|
||||
// perf.clearMeasures(name)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
45
node_modules/vue/src/core/util/props.js
generated
vendored
45
node_modules/vue/src/core/util/props.js
generated
vendored
@@ -127,11 +127,10 @@ function assertProp (
|
||||
valid = assertedType.valid
|
||||
}
|
||||
}
|
||||
|
||||
if (!valid) {
|
||||
warn(
|
||||
`Invalid prop: type check failed for prop "${name}".` +
|
||||
` Expected ${expectedTypes.map(capitalize).join(', ')}` +
|
||||
`, got ${toRawType(value)}.`,
|
||||
getInvalidTypeMessage(name, value, expectedTypes),
|
||||
vm
|
||||
)
|
||||
return
|
||||
@@ -200,3 +199,43 @@ function getTypeIndex (type, expectedTypes): number {
|
||||
}
|
||||
return -1
|
||||
}
|
||||
|
||||
function getInvalidTypeMessage (name, value, expectedTypes) {
|
||||
let message = `Invalid prop: type check failed for prop "${name}".` +
|
||||
` Expected ${expectedTypes.map(capitalize).join(', ')}`
|
||||
const expectedType = expectedTypes[0]
|
||||
const receivedType = toRawType(value)
|
||||
const expectedValue = styleValue(value, expectedType)
|
||||
const receivedValue = styleValue(value, receivedType)
|
||||
// check if we need to specify expected value
|
||||
if (expectedTypes.length === 1 &&
|
||||
isExplicable(expectedType) &&
|
||||
!isBoolean(expectedType, receivedType)) {
|
||||
message += ` with value ${expectedValue}`
|
||||
}
|
||||
message += `, got ${receivedType} `
|
||||
// check if we need to specify received value
|
||||
if (isExplicable(receivedType)) {
|
||||
message += `with value ${receivedValue}.`
|
||||
}
|
||||
return message
|
||||
}
|
||||
|
||||
function styleValue (value, type) {
|
||||
if (type === 'String') {
|
||||
return `"${value}"`
|
||||
} else if (type === 'Number') {
|
||||
return `${Number(value)}`
|
||||
} else {
|
||||
return `${value}`
|
||||
}
|
||||
}
|
||||
|
||||
function isExplicable (value) {
|
||||
const explicitTypes = ['string', 'number', 'boolean']
|
||||
return explicitTypes.some(elem => value.toLowerCase() === elem)
|
||||
}
|
||||
|
||||
function isBoolean (...args) {
|
||||
return args.some(elem => elem.toLowerCase() === 'boolean')
|
||||
}
|
||||
|
||||
51
node_modules/vue/src/core/vdom/create-component.js
generated
vendored
51
node_modules/vue/src/core/vdom/create-component.js
generated
vendored
@@ -34,12 +34,7 @@ import {
|
||||
|
||||
// inline hooks to be invoked on component VNodes during patch
|
||||
const componentVNodeHooks = {
|
||||
init (
|
||||
vnode: VNodeWithData,
|
||||
hydrating: boolean,
|
||||
parentElm: ?Node,
|
||||
refElm: ?Node
|
||||
): ?boolean {
|
||||
init (vnode: VNodeWithData, hydrating: boolean): ?boolean {
|
||||
if (
|
||||
vnode.componentInstance &&
|
||||
!vnode.componentInstance._isDestroyed &&
|
||||
@@ -51,9 +46,7 @@ const componentVNodeHooks = {
|
||||
} else {
|
||||
const child = vnode.componentInstance = createComponentInstanceForVnode(
|
||||
vnode,
|
||||
activeInstance,
|
||||
parentElm,
|
||||
refElm
|
||||
activeInstance
|
||||
)
|
||||
child.$mount(hydrating ? vnode.elm : undefined, hydrating)
|
||||
}
|
||||
@@ -136,7 +129,7 @@ export function createComponent (
|
||||
let asyncFactory
|
||||
if (isUndef(Ctor.cid)) {
|
||||
asyncFactory = Ctor
|
||||
Ctor = resolveAsyncComponent(asyncFactory, baseCtor, context)
|
||||
Ctor = resolveAsyncComponent(asyncFactory, baseCtor)
|
||||
if (Ctor === undefined) {
|
||||
// return a placeholder node for async component, which is rendered
|
||||
// as a comment node but preserves all the raw information for the node.
|
||||
@@ -215,15 +208,11 @@ export function createComponent (
|
||||
export function createComponentInstanceForVnode (
|
||||
vnode: any, // we know it's MountedComponentVNode but flow doesn't
|
||||
parent: any, // activeInstance in lifecycle state
|
||||
parentElm?: ?Node,
|
||||
refElm?: ?Node
|
||||
): Component {
|
||||
const options: InternalComponentOptions = {
|
||||
_isComponent: true,
|
||||
parent,
|
||||
_parentVnode: vnode,
|
||||
_parentElm: parentElm || null,
|
||||
_refElm: refElm || null
|
||||
parent
|
||||
}
|
||||
// check inline-template render functions
|
||||
const inlineTemplate = vnode.data.inlineTemplate
|
||||
@@ -238,20 +227,42 @@ function installComponentHooks (data: VNodeData) {
|
||||
const hooks = data.hook || (data.hook = {})
|
||||
for (let i = 0; i < hooksToMerge.length; i++) {
|
||||
const key = hooksToMerge[i]
|
||||
hooks[key] = componentVNodeHooks[key]
|
||||
const existing = hooks[key]
|
||||
const toMerge = componentVNodeHooks[key]
|
||||
if (existing !== toMerge && !(existing && existing._merged)) {
|
||||
hooks[key] = existing ? mergeHook(toMerge, existing) : toMerge
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
function mergeHook (f1: any, f2: any): Function {
|
||||
const merged = (a, b) => {
|
||||
// flow complains about extra args which is why we use any
|
||||
f1(a, b)
|
||||
f2(a, b)
|
||||
}
|
||||
merged._merged = true
|
||||
return merged
|
||||
}
|
||||
|
||||
// transform component v-model info (value and callback) into
|
||||
// prop and event handler respectively.
|
||||
function transformModel (options, data: any) {
|
||||
const prop = (options.model && options.model.prop) || 'value'
|
||||
const event = (options.model && options.model.event) || 'input'
|
||||
;(data.props || (data.props = {}))[prop] = data.model.value
|
||||
;(data.attrs || (data.attrs = {}))[prop] = data.model.value
|
||||
const on = data.on || (data.on = {})
|
||||
if (isDef(on[event])) {
|
||||
on[event] = [data.model.callback].concat(on[event])
|
||||
const existing = on[event]
|
||||
const callback = data.model.callback
|
||||
if (isDef(existing)) {
|
||||
if (
|
||||
Array.isArray(existing)
|
||||
? existing.indexOf(callback) === -1
|
||||
: existing !== callback
|
||||
) {
|
||||
on[event] = [callback].concat(existing)
|
||||
}
|
||||
} else {
|
||||
on[event] = data.model.callback
|
||||
on[event] = callback
|
||||
}
|
||||
}
|
||||
|
||||
2
node_modules/vue/src/core/vdom/create-element.js
generated
vendored
2
node_modules/vue/src/core/vdom/create-element.js
generated
vendored
@@ -102,7 +102,7 @@ export function _createElement (
|
||||
config.parsePlatformTagName(tag), data, children,
|
||||
undefined, undefined, context
|
||||
)
|
||||
} else if (isDef(Ctor = resolveAsset(context.$options, 'components', tag))) {
|
||||
} else if ((!data || !data.pre) && isDef(Ctor = resolveAsset(context.$options, 'components', tag))) {
|
||||
// component
|
||||
vnode = createComponent(Ctor, data, context, children, tag)
|
||||
} else {
|
||||
|
||||
29
node_modules/vue/src/core/vdom/create-functional-component.js
generated
vendored
29
node_modules/vue/src/core/vdom/create-functional-component.js
generated
vendored
@@ -5,6 +5,7 @@ import { createElement } from './create-element'
|
||||
import { resolveInject } from '../instance/inject'
|
||||
import { normalizeChildren } from '../vdom/helpers/normalize-children'
|
||||
import { resolveSlots } from '../instance/render-helpers/resolve-slots'
|
||||
import { normalizeScopedSlots } from '../vdom/helpers/normalize-scoped-slots'
|
||||
import { installRenderHelpers } from '../instance/render-helpers/index'
|
||||
|
||||
import {
|
||||
@@ -48,7 +49,22 @@ export function FunctionalRenderContext (
|
||||
this.parent = parent
|
||||
this.listeners = data.on || emptyObject
|
||||
this.injections = resolveInject(options.inject, parent)
|
||||
this.slots = () => resolveSlots(children, parent)
|
||||
this.slots = () => {
|
||||
if (!this.$slots) {
|
||||
normalizeScopedSlots(
|
||||
data.scopedSlots,
|
||||
this.$slots = resolveSlots(children, parent)
|
||||
)
|
||||
}
|
||||
return this.$slots
|
||||
}
|
||||
|
||||
Object.defineProperty(this, 'scopedSlots', ({
|
||||
enumerable: true,
|
||||
get () {
|
||||
return normalizeScopedSlots(data.scopedSlots, this.slots())
|
||||
}
|
||||
}: any))
|
||||
|
||||
// support for compiled functional template
|
||||
if (isCompiled) {
|
||||
@@ -56,7 +72,7 @@ export function FunctionalRenderContext (
|
||||
this.$options = options
|
||||
// pre-resolve slots for renderSlot()
|
||||
this.$slots = this.slots()
|
||||
this.$scopedSlots = data.scopedSlots || emptyObject
|
||||
this.$scopedSlots = normalizeScopedSlots(data.scopedSlots, this.$slots)
|
||||
}
|
||||
|
||||
if (options._scopeId) {
|
||||
@@ -105,24 +121,27 @@ export function createFunctionalComponent (
|
||||
const vnode = options.render.call(null, renderContext._c, renderContext)
|
||||
|
||||
if (vnode instanceof VNode) {
|
||||
return cloneAndMarkFunctionalResult(vnode, data, renderContext.parent, options)
|
||||
return cloneAndMarkFunctionalResult(vnode, data, renderContext.parent, options, renderContext)
|
||||
} else if (Array.isArray(vnode)) {
|
||||
const vnodes = normalizeChildren(vnode) || []
|
||||
const res = new Array(vnodes.length)
|
||||
for (let i = 0; i < vnodes.length; i++) {
|
||||
res[i] = cloneAndMarkFunctionalResult(vnodes[i], data, renderContext.parent, options)
|
||||
res[i] = cloneAndMarkFunctionalResult(vnodes[i], data, renderContext.parent, options, renderContext)
|
||||
}
|
||||
return res
|
||||
}
|
||||
}
|
||||
|
||||
function cloneAndMarkFunctionalResult (vnode, data, contextVm, options) {
|
||||
function cloneAndMarkFunctionalResult (vnode, data, contextVm, options, renderContext) {
|
||||
// #7817 clone node before setting fnContext, otherwise if the node is reused
|
||||
// (e.g. it was from a cached normal slot) the fnContext causes named slots
|
||||
// that should not be matched to match.
|
||||
const clone = cloneVNode(vnode)
|
||||
clone.fnContext = contextVm
|
||||
clone.fnOptions = options
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
(clone.devtoolsMeta = clone.devtoolsMeta || {}).renderContext = renderContext
|
||||
}
|
||||
if (data.slot) {
|
||||
(clone.data || (clone.data = {})).slot = data.slot
|
||||
}
|
||||
|
||||
45
node_modules/vue/src/core/vdom/helpers/resolve-async-component.js
generated
vendored
45
node_modules/vue/src/core/vdom/helpers/resolve-async-component.js
generated
vendored
@@ -7,10 +7,13 @@ import {
|
||||
isUndef,
|
||||
isTrue,
|
||||
isObject,
|
||||
hasSymbol
|
||||
hasSymbol,
|
||||
isPromise,
|
||||
remove
|
||||
} from 'core/util/index'
|
||||
|
||||
import { createEmptyVNode } from 'core/vdom/vnode'
|
||||
import { currentRenderingInstance } from 'core/instance/render'
|
||||
|
||||
function ensureCtor (comp: any, base) {
|
||||
if (
|
||||
@@ -39,8 +42,7 @@ export function createAsyncPlaceholder (
|
||||
|
||||
export function resolveAsyncComponent (
|
||||
factory: Function,
|
||||
baseCtor: Class<Component>,
|
||||
context: Component
|
||||
baseCtor: Class<Component>
|
||||
): Class<Component> | void {
|
||||
if (isTrue(factory.error) && isDef(factory.errorComp)) {
|
||||
return factory.errorComp
|
||||
@@ -50,20 +52,29 @@ export function resolveAsyncComponent (
|
||||
return factory.resolved
|
||||
}
|
||||
|
||||
const owner = currentRenderingInstance
|
||||
if (isDef(factory.owners) && factory.owners.indexOf(owner) === -1) {
|
||||
// already pending
|
||||
factory.owners.push(owner)
|
||||
}
|
||||
|
||||
if (isTrue(factory.loading) && isDef(factory.loadingComp)) {
|
||||
return factory.loadingComp
|
||||
}
|
||||
|
||||
if (isDef(factory.contexts)) {
|
||||
// already pending
|
||||
factory.contexts.push(context)
|
||||
} else {
|
||||
const contexts = factory.contexts = [context]
|
||||
if (!isDef(factory.owners)) {
|
||||
const owners = factory.owners = [owner]
|
||||
let sync = true
|
||||
|
||||
const forceRender = () => {
|
||||
for (let i = 0, l = contexts.length; i < l; i++) {
|
||||
contexts[i].$forceUpdate()
|
||||
;(owner: any).$on('hook:destroyed', () => remove(owners, owner))
|
||||
|
||||
const forceRender = (renderCompleted: boolean) => {
|
||||
for (let i = 0, l = owners.length; i < l; i++) {
|
||||
(owners[i]: any).$forceUpdate()
|
||||
}
|
||||
|
||||
if (renderCompleted) {
|
||||
owners.length = 0
|
||||
}
|
||||
}
|
||||
|
||||
@@ -73,7 +84,9 @@ export function resolveAsyncComponent (
|
||||
// invoke callbacks only if this is not a synchronous resolve
|
||||
// (async resolves are shimmed as synchronous during SSR)
|
||||
if (!sync) {
|
||||
forceRender()
|
||||
forceRender(true)
|
||||
} else {
|
||||
owners.length = 0
|
||||
}
|
||||
})
|
||||
|
||||
@@ -84,19 +97,19 @@ export function resolveAsyncComponent (
|
||||
)
|
||||
if (isDef(factory.errorComp)) {
|
||||
factory.error = true
|
||||
forceRender()
|
||||
forceRender(true)
|
||||
}
|
||||
})
|
||||
|
||||
const res = factory(resolve, reject)
|
||||
|
||||
if (isObject(res)) {
|
||||
if (typeof res.then === 'function') {
|
||||
if (isPromise(res)) {
|
||||
// () => Promise
|
||||
if (isUndef(factory.resolved)) {
|
||||
res.then(resolve, reject)
|
||||
}
|
||||
} else if (isDef(res.component) && typeof res.component.then === 'function') {
|
||||
} else if (isPromise(res.component)) {
|
||||
res.component.then(resolve, reject)
|
||||
|
||||
if (isDef(res.error)) {
|
||||
@@ -111,7 +124,7 @@ export function resolveAsyncComponent (
|
||||
setTimeout(() => {
|
||||
if (isUndef(factory.resolved) && isUndef(factory.error)) {
|
||||
factory.loading = true
|
||||
forceRender()
|
||||
forceRender(false)
|
||||
}
|
||||
}, res.delay || 200)
|
||||
}
|
||||
|
||||
26
node_modules/vue/src/core/vdom/helpers/update-listeners.js
generated
vendored
26
node_modules/vue/src/core/vdom/helpers/update-listeners.js
generated
vendored
@@ -1,7 +1,15 @@
|
||||
/* @flow */
|
||||
|
||||
import { warn } from 'core/util/index'
|
||||
import { cached, isUndef, isPlainObject } from 'shared/util'
|
||||
import {
|
||||
warn,
|
||||
invokeWithErrorHandling
|
||||
} from 'core/util/index'
|
||||
import {
|
||||
cached,
|
||||
isUndef,
|
||||
isTrue,
|
||||
isPlainObject
|
||||
} from 'shared/util'
|
||||
|
||||
const normalizeEvent = cached((name: string): {
|
||||
name: string,
|
||||
@@ -25,17 +33,17 @@ const normalizeEvent = cached((name: string): {
|
||||
}
|
||||
})
|
||||
|
||||
export function createFnInvoker (fns: Function | Array<Function>): Function {
|
||||
export function createFnInvoker (fns: Function | Array<Function>, vm: ?Component): Function {
|
||||
function invoker () {
|
||||
const fns = invoker.fns
|
||||
if (Array.isArray(fns)) {
|
||||
const cloned = fns.slice()
|
||||
for (let i = 0; i < cloned.length; i++) {
|
||||
cloned[i].apply(null, arguments)
|
||||
invokeWithErrorHandling(cloned[i], null, arguments, vm, `v-on handler`)
|
||||
}
|
||||
} else {
|
||||
// return handler return value for single handlers
|
||||
return fns.apply(null, arguments)
|
||||
return invokeWithErrorHandling(fns, null, arguments, vm, `v-on handler`)
|
||||
}
|
||||
}
|
||||
invoker.fns = fns
|
||||
@@ -47,6 +55,7 @@ export function updateListeners (
|
||||
oldOn: Object,
|
||||
add: Function,
|
||||
remove: Function,
|
||||
createOnceHandler: Function,
|
||||
vm: Component
|
||||
) {
|
||||
let name, def, cur, old, event
|
||||
@@ -66,9 +75,12 @@ export function updateListeners (
|
||||
)
|
||||
} else if (isUndef(old)) {
|
||||
if (isUndef(cur.fns)) {
|
||||
cur = on[name] = createFnInvoker(cur)
|
||||
cur = on[name] = createFnInvoker(cur, vm)
|
||||
}
|
||||
add(event.name, cur, event.once, event.capture, event.passive, event.params)
|
||||
if (isTrue(event.once)) {
|
||||
cur = on[name] = createOnceHandler(event.name, cur, event.capture)
|
||||
}
|
||||
add(event.name, cur, event.capture, event.passive, event.params)
|
||||
} else if (cur !== old) {
|
||||
old.fns = cur
|
||||
on[name] = old
|
||||
|
||||
1
node_modules/vue/src/core/vdom/modules/directives.js
generated
vendored
1
node_modules/vue/src/core/vdom/modules/directives.js
generated
vendored
@@ -40,6 +40,7 @@ function _update (oldVnode, vnode) {
|
||||
} else {
|
||||
// existing directive, update
|
||||
dir.oldValue = oldDir.value
|
||||
dir.oldArg = oldDir.arg
|
||||
callHook(dir, 'update', vnode, oldVnode)
|
||||
if (dir.def && dir.def.componentUpdated) {
|
||||
dirsWithPostpatch.push(dir)
|
||||
|
||||
38
node_modules/vue/src/core/vdom/patch.js
generated
vendored
38
node_modules/vue/src/core/vdom/patch.js
generated
vendored
@@ -212,7 +212,7 @@ export function createPatchFunction (backend) {
|
||||
if (isDef(i)) {
|
||||
const isReactivated = isDef(vnode.componentInstance) && i.keepAlive
|
||||
if (isDef(i = i.hook) && isDef(i = i.init)) {
|
||||
i(vnode, false /* hydrating */, parentElm, refElm)
|
||||
i(vnode, false /* hydrating */)
|
||||
}
|
||||
// after calling the init hook, if the vnode is a child component
|
||||
// it should've created a child instance and mounted it. the child
|
||||
@@ -220,6 +220,7 @@ export function createPatchFunction (backend) {
|
||||
// in that case we can just return the element and be done.
|
||||
if (isDef(vnode.componentInstance)) {
|
||||
initComponent(vnode, insertedVnodeQueue)
|
||||
insert(parentElm, vnode.elm, refElm)
|
||||
if (isTrue(isReactivated)) {
|
||||
reactivateComponent(vnode, insertedVnodeQueue, parentElm, refElm)
|
||||
}
|
||||
@@ -271,7 +272,7 @@ export function createPatchFunction (backend) {
|
||||
function insert (parent, elm, ref) {
|
||||
if (isDef(parent)) {
|
||||
if (isDef(ref)) {
|
||||
if (ref.parentNode === parent) {
|
||||
if (nodeOps.parentNode(ref) === parent) {
|
||||
nodeOps.insertBefore(parent, elm, ref)
|
||||
}
|
||||
} else {
|
||||
@@ -426,20 +427,20 @@ export function createPatchFunction (backend) {
|
||||
} else if (isUndef(oldEndVnode)) {
|
||||
oldEndVnode = oldCh[--oldEndIdx]
|
||||
} else if (sameVnode(oldStartVnode, newStartVnode)) {
|
||||
patchVnode(oldStartVnode, newStartVnode, insertedVnodeQueue)
|
||||
patchVnode(oldStartVnode, newStartVnode, insertedVnodeQueue, newCh, newStartIdx)
|
||||
oldStartVnode = oldCh[++oldStartIdx]
|
||||
newStartVnode = newCh[++newStartIdx]
|
||||
} else if (sameVnode(oldEndVnode, newEndVnode)) {
|
||||
patchVnode(oldEndVnode, newEndVnode, insertedVnodeQueue)
|
||||
patchVnode(oldEndVnode, newEndVnode, insertedVnodeQueue, newCh, newEndIdx)
|
||||
oldEndVnode = oldCh[--oldEndIdx]
|
||||
newEndVnode = newCh[--newEndIdx]
|
||||
} else if (sameVnode(oldStartVnode, newEndVnode)) { // Vnode moved right
|
||||
patchVnode(oldStartVnode, newEndVnode, insertedVnodeQueue)
|
||||
patchVnode(oldStartVnode, newEndVnode, insertedVnodeQueue, newCh, newEndIdx)
|
||||
canMove && nodeOps.insertBefore(parentElm, oldStartVnode.elm, nodeOps.nextSibling(oldEndVnode.elm))
|
||||
oldStartVnode = oldCh[++oldStartIdx]
|
||||
newEndVnode = newCh[--newEndIdx]
|
||||
} else if (sameVnode(oldEndVnode, newStartVnode)) { // Vnode moved left
|
||||
patchVnode(oldEndVnode, newStartVnode, insertedVnodeQueue)
|
||||
patchVnode(oldEndVnode, newStartVnode, insertedVnodeQueue, newCh, newStartIdx)
|
||||
canMove && nodeOps.insertBefore(parentElm, oldEndVnode.elm, oldStartVnode.elm)
|
||||
oldEndVnode = oldCh[--oldEndIdx]
|
||||
newStartVnode = newCh[++newStartIdx]
|
||||
@@ -453,7 +454,7 @@ export function createPatchFunction (backend) {
|
||||
} else {
|
||||
vnodeToMove = oldCh[idxInOld]
|
||||
if (sameVnode(vnodeToMove, newStartVnode)) {
|
||||
patchVnode(vnodeToMove, newStartVnode, insertedVnodeQueue)
|
||||
patchVnode(vnodeToMove, newStartVnode, insertedVnodeQueue, newCh, newStartIdx)
|
||||
oldCh[idxInOld] = undefined
|
||||
canMove && nodeOps.insertBefore(parentElm, vnodeToMove.elm, oldStartVnode.elm)
|
||||
} else {
|
||||
@@ -497,11 +498,23 @@ export function createPatchFunction (backend) {
|
||||
}
|
||||
}
|
||||
|
||||
function patchVnode (oldVnode, vnode, insertedVnodeQueue, removeOnly) {
|
||||
function patchVnode (
|
||||
oldVnode,
|
||||
vnode,
|
||||
insertedVnodeQueue,
|
||||
ownerArray,
|
||||
index,
|
||||
removeOnly
|
||||
) {
|
||||
if (oldVnode === vnode) {
|
||||
return
|
||||
}
|
||||
|
||||
if (isDef(vnode.elm) && isDef(ownerArray)) {
|
||||
// clone reused vnode
|
||||
vnode = ownerArray[index] = cloneVNode(vnode)
|
||||
}
|
||||
|
||||
const elm = vnode.elm = oldVnode.elm
|
||||
|
||||
if (isTrue(oldVnode.isAsyncPlaceholder)) {
|
||||
@@ -542,6 +555,9 @@ export function createPatchFunction (backend) {
|
||||
if (isDef(oldCh) && isDef(ch)) {
|
||||
if (oldCh !== ch) updateChildren(elm, oldCh, ch, insertedVnodeQueue, removeOnly)
|
||||
} else if (isDef(ch)) {
|
||||
if (process.env.NODE_ENV !== 'production') {
|
||||
checkDuplicateKeys(ch)
|
||||
}
|
||||
if (isDef(oldVnode.text)) nodeOps.setTextContent(elm, '')
|
||||
addVnodes(elm, null, ch, 0, ch.length - 1, insertedVnodeQueue)
|
||||
} else if (isDef(oldCh)) {
|
||||
@@ -681,7 +697,7 @@ export function createPatchFunction (backend) {
|
||||
}
|
||||
}
|
||||
|
||||
return function patch (oldVnode, vnode, hydrating, removeOnly, parentElm, refElm) {
|
||||
return function patch (oldVnode, vnode, hydrating, removeOnly) {
|
||||
if (isUndef(vnode)) {
|
||||
if (isDef(oldVnode)) invokeDestroyHook(oldVnode)
|
||||
return
|
||||
@@ -693,12 +709,12 @@ export function createPatchFunction (backend) {
|
||||
if (isUndef(oldVnode)) {
|
||||
// empty mount (likely as component), create new root element
|
||||
isInitialPatch = true
|
||||
createElm(vnode, insertedVnodeQueue, parentElm, refElm)
|
||||
createElm(vnode, insertedVnodeQueue)
|
||||
} else {
|
||||
const isRealElement = isDef(oldVnode.nodeType)
|
||||
if (!isRealElement && sameVnode(oldVnode, vnode)) {
|
||||
// patch existing root node
|
||||
patchVnode(oldVnode, vnode, insertedVnodeQueue, removeOnly)
|
||||
patchVnode(oldVnode, vnode, insertedVnodeQueue, null, null, removeOnly)
|
||||
} else {
|
||||
if (isRealElement) {
|
||||
// mounting to a real element
|
||||
|
||||
7
node_modules/vue/src/core/vdom/vnode.js
generated
vendored
7
node_modules/vue/src/core/vdom/vnode.js
generated
vendored
@@ -26,6 +26,7 @@ export default class VNode {
|
||||
ssrContext: Object | void;
|
||||
fnContext: Component | void; // real context vm for functional nodes
|
||||
fnOptions: ?ComponentOptions; // for SSR caching
|
||||
devtoolsMeta: ?Object; // used to store functional render context for devtools
|
||||
fnScopeId: ?string; // functional scope id support
|
||||
|
||||
constructor (
|
||||
@@ -89,7 +90,10 @@ export function cloneVNode (vnode: VNode): VNode {
|
||||
const cloned = new VNode(
|
||||
vnode.tag,
|
||||
vnode.data,
|
||||
vnode.children,
|
||||
// #7975
|
||||
// clone children array to avoid mutating original in case of cloning
|
||||
// a child.
|
||||
vnode.children && vnode.children.slice(),
|
||||
vnode.text,
|
||||
vnode.elm,
|
||||
vnode.context,
|
||||
@@ -103,6 +107,7 @@ export function cloneVNode (vnode: VNode): VNode {
|
||||
cloned.fnContext = vnode.fnContext
|
||||
cloned.fnOptions = vnode.fnOptions
|
||||
cloned.fnScopeId = vnode.fnScopeId
|
||||
cloned.asyncMeta = vnode.asyncMeta
|
||||
cloned.isCloned = true
|
||||
return cloned
|
||||
}
|
||||
|
||||
Reference in New Issue
Block a user