詳解vue3中組件的非兼容變更
functional attribute 在單文件組件 (SFC) <template> 已被移除{ functional: true } 選項在通過函數創建組件已被移除
// 使用 <dynamic-heading> 組件,負責提供適當的標題 (即:h1,h2,h3,等等),在 2.x 中,這可能是作為單個文件組件編寫的:// Vue 2 函數式組件示例export default { functional: true, props: [’level’], render(h, { props, data, children }) { return h(`h${props.level}`, data, children) }}// Vue 2 函數式組件示例使用 <template><template functional> <component :is='`h${props.level}`' v-bind='attrs' v-on='listeners' /></template><script>export default { props: [’level’]}</script>
現在在 Vue 3 中,所有的函數式組件都是用普通函數創建的,換句話說,不需要定義 { functional: true } 組件選項。他們將接收兩個參數:props 和 context。context 參數是一個對象,包含組件的 attrs,slots,和 emit property。此外,現在不是在 render 函數中隱式提供 h,而是全局導入 h。使用前面提到的 <dynamic-heading> 組件的示例,下面是它現在的樣子。
// vue3.0import { h } from ’vue’const DynamicHeading = (props, context) => { return h(`h${props.level}`, context.attrs, context.slots)}DynamicHeading.props = [’level’]export default DynamicHeading// vue3.0單文件寫法<template> <component v-bind:is='`h${$props.level}`' v-bind='$attrs' /></template><script>export default { props: [’level’]}</script>
主要區別在于
functional attribute 在 <template> 中移除listeners 現在作為 $attrs 的一部分傳遞,可以將其刪除異步組件的寫法與defineAsyncComponent方法
現在使用defineAsyncComponent助手方法,用于顯示的定義異步組件component選項重命名為loaderLoader函數本身不再接受resolve和rejuct參數,必須返回一個Promise
// vue2.x// 以前異步組件是通過將組件定義為返回Promise的函數來創建const asyncPage = () => import(’./NextPage.vue’)// 或者以選項方式創建const asyncPage = { component: () => import(’./NextPage.vue’), delay: 200, timeout: 3000, error: ErrorComponent, loading: LoadingComponent}// vue3.x在vue3.x中,需要使用defineAsyncComponent來定義import{ defineAsyncComponent } from ’vue’import ErrorComponent from ’./components/ErrorComponent.vue’import LoadingComponent from ’./components/LoadingComponent.vue’// 不帶選項的定義方法const asyncPage = defineAsyncComponent(() => import(’./NextPage.vue’))// 帶選項的異步組件constasyncPageWithOptions = defineAsyncCopmonent({ loader: () => import(’./NextPage.vue’), delay: 200, timeout: 3000, errorComponent: ErrorComponent, LoadingComponent: LoadingComponent})
loader函數不再接收resolve和reject參數,且必須始終返回Promise
// vue2.xconst oldAsyncComponent = (resolve, reject) => {}// vue3.xconst asyncComponent = defineAsyncComponent(() => new Promise((resolve, reject) => {}))組件事件需要在emits選項中聲明
vue3中現在提供了一個emits選項,類似props選項此選項可以用于定義組件向其父對象發出的事件
<!-- vue2.x --><template> <div> <p>{{ text }}</p> <button v-on:click='$emit(’accepted’)'>OK</button> </div></template><script> export default { props: [’text’] }</script><!-- vue3.x --><!-- 現在和prop類似,可以用emits來定義組件發出的事件 --><!-- 這個選項還接收已給對象,用來向props一樣對傳遞的參數進行驗證 --><!-- 強烈建議記錄下每個組件發出的所有emits,因為去掉了.native修飾符,未使用聲明的事件的所有監聽器都將包含在組建的$attr中,默認情況下,該監聽器將綁定到組件的根節點 --><template> <div> <p>{{ text }}</p> <button v-on:click='$emit(’accepted’)'>OK</button> </div></template><script> export default { props: [’text’], emits: [’accepted’] }</script>
以上就是詳解vue3中組件的非兼容變更的詳細內容,更多關于vue3中組件的非兼容變更的資料請關注好吧啦網其它相關文章!
相關文章:
