Vue3.0进阶之自定义事件探秘

这是 Vue 3.0 进阶系列 的第二篇文章,该系列的第一篇文章是 Vue 3.0 进阶之指令探秘。本文阿宝哥将以一个简单的示例为切入点,带大家一起一步步揭开自定义事件背后的秘密。

 
 
 
 
  • 在以上示例中,我们先通过 Vue.createApp 方法创建 app 对象,之后利用该对象上的 component 方法注册全局组件 —— welcome-button 组件。在定义该组件时,我们通过 emits 属性定义了该组件上的自定义事件。当然用户点击 欢迎 按钮时,就会发出 welcome 事件,之后就会调用 sayHi 方法,接着控制台就会输出 你好,我是阿宝哥! 。

    虽然该示例比较简单,但也存在以下 2 个问题:

    下面我们将围绕这些问题来进一步分析自定义事件背后的机制,首先我们先来分析第一个问题。

    一、$emit 方法来自哪里?

    使用 Chrome 开发者工具,我们在 sayHi 方法内部加个断点,然后点击 欢迎 按钮,此时函数调用栈如下图所示:

    在上图右侧的调用栈,我们发现了一个存在于 componentEmits.ts 文件中的 emit 方法。但在模板中,我们使用的是 $emit 方法,为了搞清楚这个问题,我们来看一下 onClick 方法:

    由上图可知,我们的 $emit 方法来自 _ctx 对象,那么该对象是什么对象呢?同样,利用断点我们可以看到 _ctx 对象的内部结构:

    很明显 _ctx 对象是一个 Proxy 对象,如果你对 Proxy 对象还不了解,可以阅读 你不知道的 Proxy 这篇文章。当访问 _ctx 对象的 $emit 属性时,将会进入 get 捕获器,所以接下来我们来分析 get 捕获器:

    通过 [[FunctionLocation]] 属性,我们找到了 get 捕获器的定义,具体如下所示:

     
     
     
     
    1. // packages/runtime-core/src/componentPublicInstance.ts
    2. export const RuntimeCompiledPublicInstanceProxyHandlers = extend(
    3.   {},
    4.   PublicInstanceProxyHandlers,
    5.   {
    6.     get(target: ComponentRenderContext, key: string) {
    7.       // fast path for unscopables when using `with` block
    8.       if ((key as any) === Symbol.unscopables) {
    9.         return
    10.       }
    11.       return PublicInstanceProxyHandlers.get!(target, key, target)
    12.     },
    13.     has(_: ComponentRenderContext, key: string) {
    14.       const has = key[0] !== '_' && !isGloballyWhitelisted(key)
    15.       // 省略部分代码
    16.       return has
    17.     }
    18.   }
    19. )

    观察以上代码可知,在 get 捕获器内部会继续调用 PublicInstanceProxyHandlers 对象的 get 方法来获取 key 对应的值。由于 PublicInstanceProxyHandlers 内部的代码相对比较复杂,这里我们只分析与示例相关的代码:

     
     
     
     
    1. // packages/runtime-core/src/componentPublicInstance.ts
    2. export const PublicInstanceProxyHandlers: ProxyHandler = {
    3.   get({ _: instance }: ComponentRenderContext, key: string) {
    4.     const { ctx, setupState, data, props, accessCache, type, appContext } = instance
    5.    
    6.     // 省略大部分内容
    7.     const publicGetter = publicPropertiesMap[key]
    8.     // public $xxx properties
    9.     if (publicGetter) {
    10.       if (key === '$attrs') {
    11.         track(instance, TrackOpTypes.GET, key)
    12.         __DEV__ && markAttrsAccessed()
    13.       }
    14.       return publicGetter(instance)
    15.     },
    16.     // 省略set和has捕获器
    17. }

    在上面代码中,我们看到了 publicPropertiesMap 对象,该对象被定义在 componentPublicInstance.ts 文件中:

     
     
     
     
    1. // packages/runtime-core/src/componentPublicInstance.ts
    2. const publicPropertiesMap: PublicPropertiesMap = extend(Object.create(null), {
    3.   $: i => i,
    4.   $el: i => i.vnode.el,
    5.   $data: i => i.data,
    6.   $props: i => (__DEV__ ? shallowReadonly(i.props) : i.props),
    7.   $attrs: i => (__DEV__ ? shallowReadonly(i.attrs) : i.attrs),
    8.   $slots: i => (__DEV__ ? shallowReadonly(i.slots) : i.slots),
    9.   $refs: i => (__DEV__ ? shallowReadonly(i.refs) : i.refs),
    10.   $parent: i => getPublicInstance(i.parent),
    11.   $root: i => getPublicInstance(i.root),
    12.   $emit: i => i.emit,
    13.   $options: i => (__FEATURE_OPTIONS_API__ ? resolveMergedOptions(i) : i.type),
    14.   $forceUpdate: i => () => queueJob(i.update),
    15.   $nextTick: i => nextTick.bind(i.proxy!),
    16.   $watch: i => (__FEATURE_OPTIONS_API__ ? instanceWatch.bind(i) : NOOP)
    17. } as PublicPropertiesMap)

    在 publicPropertiesMap 对象中,我们找到了 $emit 属性,该属性的值为 $emit: i => i.emit,即 $emit 指向的是参数 i 对象的 emit 属性。下面我们来看一下,当获取 $emit 属性时,target 对象是什么:

    由上图可知 target 对象有一个 _ 属性,该属性的值是一个对象,且该对象含有 vnode、type 和 parent 等属性。因此我们猜测 _ 属性的值是组件实例。为了证实这个猜测,利用 Chrome 开发者工具,我们就可以轻易地分析出组件挂载过程中调用了哪些函数:

    在上图中,我们看到了在组件挂载阶段,调用了 createComponentInstance 函数。顾名思义,该函数用于创建组件实例,其具体实现如下所示:

     
     
     
     
    1. // packages/runtime-core/src/component.ts
    2. export function createComponentInstance(
    3.   vnode: VNode,
    4.   parent: ComponentInternalInstance | null,
    5.   suspense: SuspenseBoundary | null
    6. ) {
    7.   const type = vnode.type as ConcreteComponent
    8.   const appContext =
    9.     (parent ? parent.appContext : vnode.appContext) || emptyAppContext
    10.   const instance: ComponentInternalInstance = {
    11.     uid: uid++,
    12.     vnode,
    13.     type,
    14.     parent,
    15.     appContext,
    16.     // 省略大部分属性
    17.     emit: null as any, 
    18.     emitted: null,
    19.   }
    20.   if (__DEV__) { // 开发模式
    21.     instance.ctx = createRenderContext(instance)
    22.   } else { // 生产模式
    23.     instance.ctx = { _: instance }
    24.   }
    25.   instance.root = parent ? parent.root : instance
    26.   instance.emit = emit.bind(null, instance)
    27.   return instance
    28. }

    在以上代码中,我们除了发现 instance 对象之外,还看到了 instance.emit = emit.bind(null, instance) 这个语句。这时我们就找到了 $emit 方法来自哪里的答案。弄清楚第一个问题之后,接下来我们来分析自定义事件的处理流程。

    二、自定义事件的处理流程是什么?

    要搞清楚,为什么点击 欢迎 按钮派发 welcome 事件之后,就会自动调用 sayHi 方法的原因。我们就必须分析 emit 函数的内部处理逻辑,该函数被定义在 runtime-core/src/componentEmits.t 文件中:

     
     
     
     
    1. // packages/runtime-core/src/componentEmits.ts
    2. export function emit(
    3.   instance: ComponentInternalInstance,
    4.   event: string,
    5.   ...rawArgs: any[]
    6. ) {
    7.   const props = instance.vnode.props || EMPTY_OBJ
    8.  // 省略大部分代码
    9.   let args = rawArgs
    10.   // convert handler name to camelCase. See issue #2249
    11.   let handlerName = toHandlerKey(camelize(event))
    12.   let handler = props[handlerName]
    13.   if (handler) {
    14.     callWithAsyncErrorHandling(
    15.       handler,
    16.       instance,
    17.       ErrorCodes.COMPONENT_EVENT_HANDLER,
    18.       args
    19.     )
    20.   }
    21. }

    其实在 emit 函数内部还会涉及 v-model update:xxx 事件的处理,关于 v-model 指令的内部原理,阿宝哥会写单独的文章来介绍。这里我们只分析与当前示例相关的处理逻辑。

    在 emit 函数中,会使用 toHandlerKey 函数把事件名转换为驼峰式的 handlerName:

     
     
     
     
    1. // packages/shared/src/index.ts
    2. export const toHandlerKey = cacheStringFunction(
    3.   (str: string) => (str ? `on${capitalize(str)}` : ``)
    4. )

    在获取 handlerName 之后,就会从 props 对象上获取该 handlerName 对应的 handler对象。如果该 handler 对象存在,则会调用 callWithAsyncErrorHandling 函数,来执行当前自定义事件对应的事件处理函数。callWithAsyncErrorHandling 函数的定义如下:

     
     
     
     
    1. // packages/runtime-core/src/errorHandling.ts
    2. export function callWithAsyncErrorHandling(
    3.   fn: Function | Function[],
    4.   instance: ComponentInternalInstance | null,
    5.   type: ErrorTypes,
    6.   args?: unknown[]
    7. ): any[] {
    8.   if (isFunction(fn)) {
    9.     const res = callWithErrorHandling(fn, instance, type, args)
    10.     if (res && isPromise(res)) {
    11.       res.catch(err => {
    12.         handleError(err, instance, type)
    13.       })
    14.     }
    15.     return res
    16.   }
    17.   // 处理多个事件处理器
    18.   const values = []
    19.   for (let i = 0; i < fn.length; i++) {
    20.     values.push(callWithAsyncErrorHandling(fn[i], instance, type, args))
    21.   }
    22.   return values
    23. }

    通过以上代码可知,如果 fn 参数是函数对象的话,在 callWithAsyncErrorHandling 函数内部还会继续调用 callWithErrorHandling 函数来最终执行事件处理函数:

     
     
     
     
    1. // packages/runtime-core/src/errorHandling.ts
    2. export function callWithErrorHandling(
    3.   fn: Function,
    4.   instance: ComponentInternalInstance | null,
    5.   type: ErrorTypes,
    6.   args?: unknown[]
    7. ) {
    8.   let res
    9.   try {
    10.     res = args ? fn(...args) : fn()
    11.   } catch (err) {
    12.     handleError(err, instance, type)
    13.   }
    14.   return res
    15. }

    在 callWithErrorHandling 函数内部,使用 try catch 语句来捕获异常并进行异常处理。如果调用 fn 事件处理函数之后,返回的是一个 Promise 对象的话,则会通过 Promise 对象上的 catch 方法来处理异常。了解完上面的内容,再回顾一下前面见过的函数调用栈,相信此时你就不会再陌生了。

    现在前面提到的 2 个问题,我们都已经找到答案了。为了能更好地掌握自定义事件的相关内容,阿宝哥将使用 Vue 3 Template Explorer 这个在线工具,来分析一下示例中模板编译的结果:

    App 组件模板

     
     
     
     
    1. const _Vue = Vue
    2. return function render(_ctx, _cache, $props, $setup, $data, $options) {
    3.   with (_ctx) {
    4.     const { resolveComponent: _resolveComponent, createVNode: _createVNode, 
    5.       openBlock: _openBlock, createBlock: _createBlock } = _Vue
    6.     const _component_welcome_button = _resolveComponent("welcome-button")
    7.     return (_openBlock(), _createBlock(_component_welcome_button,
    8.      { onWelcome: sayHi }, null, 8 /* PROPS */, ["onWelcome"]))
    9.   }
    10. }

    welcome-button 组件模板

     
     
     
     
    1. 欢迎
    2. const _Vue = Vue
    3. return function render(_ctx, _cache, $props, $setup, $data, $options) {
    4.   with (_ctx) {
    5.     const { createVNode: _createVNode, openBlock: _openBlock,
    6.       createBlock: _createBlock } = _Vue
    7.     return (_openBlock(), _createBlock("button", {
    8.       onClick: $event => ($emit('welcome'))
    9.     }, "欢迎", 8 /* PROPS */, ["onClick"]))
    10.   }
    11. }

    观察以上结果,我们可知通过 v-on: 绑定的事件,都会转换为以 on 开头的属性,比如 onWelcome 和 onClick。为什么要转换成这种形式呢?这是因为在 emit 函数内部会通过 toHandlerKey 和 camelize 这两个函数对事件名进行转换:

     
     
     
     
    1. // packages/runtime-core/src/componentEmits.ts
    2. export function emit(
    3.   instance: ComponentInternalInstance,
    4.   event: string,
    5.   ...rawArgs: any[]
    6. ) {
    7.  // 省略大部分代码
    8.   // convert handler name to camelCase. See issue #2249
    9.   let handlerName = toHandlerKey(camelize(event))
    10.   let handler = props[handlerName]
    11. }

    为了搞清楚转换规则,我们先来看一下 camelize 函数:

     
     
     
     
    1. // packages/shared/src/index.ts
    2. const camelizeRE = /-(\w)/g
    3. export const camelize = cacheStringFunction(
    4.   (str: string): string => {
    5.     return str.replace(camelizeRE, (_, c) => (c ? c.toUpperCase() : ''))
    6.   }
    7. )

    观察以上代码,我们可以知道 camelize 函数的作用,用于把 kebab-case (短横线分隔命名) 命名的事件名转换为 camelCase (驼峰命名法) 的事件名,比如 "test-event" 事件名经过 camelize 函数处理后,将被转换为 "testEvent"。该转换后的结果,还会通过 toHandlerKey 函数进行进一步处理,toHandlerKey 函数被定义在 shared/src/index.ts文件中:

     
     
     
     
    1. // packages/shared/src/index.ts
    2. export const toHandlerKey = cacheStringFunction(
    3.   (str: string) => (str ? `on${capitalize(str)}` : ``)
    4. )
    5. export const capitalize = cacheStringFunction(
    6.   (str: string) => str.charAt(0).toUpperCase() + str.slice(1)
    7. )

    对于前面使用的 "testEvent" 事件名经过 toHandlerKey 函数处理后,将被最终转换为 "onTestEvent" 的形式。为了能够更直观地了解事件监听器的合法形式,我们来看一下 runtime-core 模块中的测试用例:

     
     
     
     
    1. // packages/runtime-core/__tests__/componentEmits.spec.ts
    2. test('isEmitListener', () => {
    3.   const options = {
    4.     click: null,
    5.     'test-event': null,
    6.     fooBar: null,
    7.     FooBaz: null
    8.   }
    9.   expect(isEmitListener(options, 'onClick')).toBe(true)
    10.   expect(isEmitListener(options, 'onclick')).toBe(false)
    11.   expect(isEmitListener(options, 'onBlick')).toBe(false)
    12.   // .once listeners
    13.   expect(isEmitListener(options, 'onClickOnce')).toBe(true)
    14.   expect(isEmitListener(options, 'onclickOnce')).toBe(false)
    15.   // kebab-case option
    16.   expect(isEmitListener(options, 'onTestEvent')).toBe(true)
    17.   // camelCase option
    18.   expect(isEmitListener(options, 'onFooBar')).toBe(true)
    19.   // PascalCase option
    20.   expect(isEmitListener(options, 'onFooBaz')).toBe(true)
    21. })

    了解完事件监听器的合法形式之后,我们再来看一下 cacheStringFunction 函数:

     
     
     
     
    1. // packages/shared/src/index.ts
    2. const cacheStringFunction =  string>(fn: T): T => {
    3.   const cache: Record = Object.create(null)
    4.   return ((str: string) => {
    5.     const hit = cache[str]
    6.     return hit || (cache[str] = fn(str))
    7.   }) as any
    8. }

    以上代码也比较简单,cacheStringFunction 函数的作用是为了实现缓存功能。

    三、阿宝哥有话说

    3.1 如何在渲染函数中绑定事件?

    在前面的示例中,我们通过 v-on 指令完成事件绑定,那么在渲染函数中如何绑定事件呢?

     
     
     
     
  • 在以上示例中,我们通过 defineComponent 全局 API 定义了 Foo 组件,然后通过 h 函数创建了函数式组件 Comp,在创建 Comp 组件时,通过设置 onFoo 属性实现了自定义事件的绑定操作。

    3.2 如何只执行一次事件处理器?

    在模板中设置

     
     
     
     
    1. const _Vue = Vue
    2. return function render(_ctx, _cache, $props, $setup, $data, $options) {
    3.   with (_ctx) {
    4.     const { resolveComponent: _resolveComponent, createVNode: _createVNode, 
    5.       openBlock: _openBlock, createBlock: _createBlock } = _Vue
    6.     const _component_welcome_button = _resolveComponent("welcome-button")
    7.     return (_openBlock(), _createBlock(_component_welcome_button, 
    8.       { onWelcomeOnce: sayHi }, null, 8 /* PROPS */, ["onWelcomeOnce"]))
    9.   }
    10. }

    在以上代码中,我们使用了 once 事件修饰符,来实现只执行一次事件处理器的功能。除了 once 修饰符之外,还有其他的修饰符,比如:

     
     
     
     
    1. ...
  • ...
  •  在渲染函数中设置

     
     
     
     

    以上两种方式都能生效的原因是,模板中的指令 v-on:welcome.once,经过编译后会转换为onWelcomeOnce,并且在 emit 函数中定义了 once 修饰符的处理规则:

     
     
     
     
    1. // packages/runtime-core/src/componentEmits.ts
    2. export function emit(
    3.   instance: ComponentInternalInstance,
    4.   event: string,
    5.   ...rawArgs: any[]
    6. ) {
    7.   const props = instance.vnode.props || EMPTY_OBJ
    8.   const onceHandler = props[handlerName + `Once`]
    9.   if (onceHandler) {
    10.     if (!instance.emitted) {
    11.       ;(instance.emitted = {} as Record)[handlerName] = true
    12.     } else if (instance.emitted[handlerName]) {
    13.       return
    14.     }
    15.     callWithAsyncErrorHandling(
    16.       onceHandler,
    17.       instance,
    18.       ErrorCodes.COMPONENT_EVENT_HANDLER,
    19.       args
    20.     )
    21.   }
    22. }

    3.3 如何添加多个事件处理器

    在模板中设置

      
     
     
     
    1.   
    2. const _Vue = Vue
    3. return function render(_ctx, _cache, $props, $setup, $data, $options) {
    4.   with (_ctx) {
    5.     const { createVNode: _createVNode, openBlock: _openBlock, 
    6.       createBlock: _createBlock } = _Vue
    7.     return (_openBlock(), _createBlock("div", {
    8.       onClick: $event => (foo(), bar())
    9.     }, null, 8 /* PROPS */, ["onClick"]))
    10.   }
    11. }

     在渲染函数中设置

      
     
     
     

    以上方式能够生效的原因是,在前面介绍的 callWithAsyncErrorHandling 函数中含有多个事件处理器的处理逻辑:

      
     
     
     
    1. // packages/runtime-core/src/errorHandling.ts
    2. export function callWithAsyncErrorHandling(
    3.   fn: Function | Function[],
    4.   instance: ComponentInternalInstance | null,
    5.   type: ErrorTypes,
    6.   args?: unknown[]
    7. ): any[] {
    8.   if (isFunction(fn)) {
    9.    // 省略部分代码
    10.   }
    11.   const values = []
    12.   for (let i = 0; i < fn.length; i++) {
    13.     values.push(callWithAsyncErrorHandling(fn[i], instance, type, args))
    14.   }
    15.   return values
    16. }

    3.4 Vue 3 的 $emit 与 Vue 2 的 $emit 有什么区别?

    在 Vue 2 中 $emit 方法是 Vue.prototype 对象上的属性,而 Vue 3 上的 $emit 是组件实例上的一个属性,instance.emit = emit.bind(null, instance)。

      
     
     
     
    1. // src/core/instance/events.js
    2. export function eventsMixin (Vue: Class) {
    3.   const hookRE = /^hook:/
    4.   // 省略$on、$once和$off等方法的定义
    5.   // Vue实例是一个EventBus对象
    6.   Vue.prototype.$emit = function (event: string): Component {
    7.     const vm: Component = this
    8.     let cbs = vm._events[event]
    9.     if (cbs) {
    10.       cbs = cbs.length > 1 ? toArray(cbs) : cbs
    11.       const args = toArray(arguments, 1)
    12.       const info = `event handler for "${event}"`
    13.       for (let i = 0, l = cbs.length; i < l; i++) {
    14.         invokeWithErrorHandling(cbs[i], vm, args, vm, info)
    15.       }
    16.     }
    17.     return vm
    18.   }
    19. }

    本文阿宝哥主要介绍了在 Vue 3 中自定义事件背后的秘密。为了让大家能够更深入地掌握自定义事件的相关知识,阿宝哥从源码的角度分析了 $emit 方法的来源和自定义事件的处理流程。

    在 Vue 3.0 进阶系列第一篇文章 Vue 3.0 进阶之指令探秘 中,我们已经介绍了指令相关的知识,有了这些基础,之后阿宝哥将带大家一起探索 Vue 3 双向绑定的原理,感兴趣的小伙伴不要错过哟。

    四、参考资源

    新闻名称:Vue3.0进阶之自定义事件探秘
    文章起源:http://www.shufengxianlan.com/qtweb/news47/443797.html

    网站建设、网络推广公司-创新互联,是专注品牌与效果的网站制作,网络营销seo公司;服务项目有等

    广告

    声明:本网站发布的内容(图片、视频和文字)以用户投稿、用户转载内容为主,如果涉及侵权请尽快告知,我们将会在第一时间删除。文章观点不代表本网站立场,如需处理请联系客服。电话:028-86922220;邮箱:631063699@qq.com。内容未经允许不得转载,或转载时需注明来源: 创新互联

    猜你还喜欢下面的内容

    静态网站知识

    分类信息网