最近在做 Vue3 项目的时候,在思考一个小问题,其实是每个人都做过的一个场景,很简单,看下方代码:
其实就是一个普通的不能再普通的循环遍历渲染的案例,咱们往下接着看,如果这样的遍历在同一个组件里出现了很多次,比如下方代码:
这个时候我们应该咋办呢?诶!很多人很快就能想出来了,那就是把循环的项抽取出来成一个组件,这样就能减少很多代码量了,比如我抽取成 Item.vue 这个组件:
然后直接可以引用并使用它,这样大大减少了代码量,并且统一管理,提高代码可维护性!!!
但是我事后越想越难受,就一个这么丁点代码量的我都得抽取成组件,那我不敢想象以后我的项目组件数会多到什么地步,而且组件粒度太细,确实也增加了后面开发者的负担~
那么有没有办法,可以不抽取成组件呢?我可以在当前组件里去提取吗,而不需要去重新定义一个组件呢?例如下面的效果:
想到这,马上行动起来,需要封装一个 useTemplate来实现这个功能:
尽管做到这个地步,我还是觉得用的不爽,因为没有类型提示:
我们想要的是比较爽的使用,那肯定得把类型的提示给支持上啊!!!于是给 useTemplate 加上泛型!!加上之后就有类型提示啦~~~~
加上泛型后的 useTemplate 代码如下:
import { defineComponent, shallowRef } from 'vue';import { camelCase } from 'lodash';import type { DefineComponent, Slot } from 'vue';// 将横线命名转大小驼峰function keysToCamelKebabCase(obj: Record<string, any>) { const newObj: typeof obj = {}; for (const key in obj) newObj[camelCase(key)] = obj[key]; return newObj;}export type DefineTemplateComponent< Bindings extends object, Slots extends Record<string, Slot | undefined>,> = DefineComponent<object> & { new (): { $slots: { default(_: Bindings & { $slots: Slots }): any } };};export type ReuseTemplateComponent< Bindings extends object, Slots extends Record<string, Slot | undefined>,> = DefineComponent<Bindings> & { new (): { $slots: Slots };};export type ReusableTemplatePair< Bindings extends object, Slots extends Record<string, Slot | undefined>,> = [DefineTemplateComponent<Bindings, Slots>, ReuseTemplateComponent<Bindings, Slots>];export const useTemplate = < Bindings extends object, Slots extends Record<string, Slot | undefined> = Record<string, Slot | undefined>,>(): ReusableTemplatePair<Bindings, Slots> => { const render = shallowRef<Slot | undefined>(); const define = defineComponent({ setup(_, { slots }) { return () => { // 将复用模板的渲染函数内容保存起来 render.value = slots.default; }; }, }) as DefineTemplateComponent<Bindings, Slots>; const reuse = defineComponent({ setup(_, { attrs, slots }) { return () => { // 还没定义复用模板,则抛出错误 if (!render.value) { throw new Error('你还没定义复用模板呢!'); } // 执行渲染函数,传入 attrs、slots const vnode = render.value({ ...keysToCamelKebabCase(attrs), $slots: slots }); return vnode.length === 1 ? vnode[0] : vnode; }; }, }) as ReuseTemplateComponent<Bindings, Slots>; return [define, reuse];};
本文链接:http://www.28at.com/showinfo-26-65873-0.html把Vue3模板复用玩到了极致,少封装几十个组件!
声明:本网页内容旨在传播知识,若有侵权等问题请及时与本网联系,我们将在第一时间删除处理。邮件:2376512515@qq.com
上一篇: Prettier + ESLint + Rust = ?? 快,真是太快了!
下一篇: C++泛型编程:解锁代码灵活性的奥秘