Vue3 Composition API 中的动态组件
2021-01-29
37540
Vue2 动态组件的简单工作示例
<template>
<div>
<h1>O_o</h1>
<component :is="name"/>
<button @click="onClick">Click me !</button>
</div>
</template>
<script>
export default {
data: () => ({
isShow: false
}),
computed: {
name() {
return this.isShow ? () => import('./DynamicComponent') : '';
}
},
methods: {
onClick() {
this.isShow = true;
}
},
}
</script>
一切正常,一切都很棒。我开始尝试它如何与 Composition API 配合使用。
<template>
<div>
<h1>O_o</h1>
<component :is="state.name"/>
<button @click="onClick">Click me !</button>
</div>
</template>
<script>
import {ref, reactive, computed} from 'vue'
export default {
setup() {
const state = reactive({
name: computed(() => isShow ? import('./DynamicComponent.vue') : '')
});
const isShow = ref(false);
const onClick = () => {
isShow.value = true;
}
return {
state,
onClick
}
}
}
</script>
我们启动,组件没有出现在屏幕上,尽管没有显示任何错误。
3个回答
您可以在此处了解有关“defineAsyncComponent”的更多信息 https://labs.thisdot.co/blog/async-components-in-vue-3
或在官方网站上 https://v3.vuejs.org/api/global-api.html#defineasynccomponent
import { defineAsyncComponent, defineComponent, ref, computed } from "vue"
export default defineComponent({
setup(){
const isShow = ref(false);
const name = computed (() => isShow.value ? defineAsyncComponent(() => import("./DynamicComponent.vue")): '')
const onClick = () => {
isShow.value = true;
}
}
})
Oleksii Zelenko
2021-01-29
以下是在 Vue 3 中加载动态组件的方法。从
/icons
文件夹内的图标集合动态导入的示例,前缀为“icon-”。
BaseIcon.vue
<script>
import { defineComponent, shallowRef } from 'vue'
export default defineComponent({
props: {
name: {
type: String,
required: true
}
},
setup(props) {
// use shallowRef to remove unnecessary optimizations
const currentIcon = shallowRef('')
import(`../icons/icon-${props.name}.vue`).then(val => {
// val is a Module has default
currentIcon.value = val.default
})
return {
currentIcon
}
}
})
</script>
<template>
<svg v-if="currentIcon" width="100%" viewBox="0 0 24 24" :aria-labelledby="name">
<component :is="currentIcon" />
</svg>
</template>
您不需要使用 computed 或 watch。但在加载和解析之前没有任何内容可渲染,这就是使用
v-if
的原因。
UPD
因此,如果您需要通过更改 props 来更改组件(在我的情况下是图标),请使用
watchEffect
作为
import
函数的包装器。
watchEffect(() => {
import(`../icons/icon-${props.name}.vue`).then(val => {
currentIcon.value = val.default
})
})
不要忘记从 vue 导入它 =)
Aleks
2021-04-28
为了解决同样的问题,我除了使用
<script setup>
外,还使用了
<script>
,并在其中导入了组件
<template>
<component :is="step">
</component>
</template>
<script setup>
import { ref, computed, reactive } from 'vue';
const step = ref('what-budget');
</script>
<script>
import WhatBudget from "../components/Quiz/WhatBudget.vue";
export default {
components: {
WhatBudget
},
}
</script>
Максим Пятак
2023-04-04