【ElementPlus源码】Container 布局容器

文章目录

    • index.ts
    • Container
    • header
    • utils
      • withInstall
      • withNoopInstall
    • hooks
      • useNamespace
    • 单元测试

看源码时候做的笔记。如有错误请指出!
关于路径的省略,详见button:【ElementPlus源码】Button按钮-CSDN博客

index.ts

导入一堆组件,导出ElContainer。

import Container from './src/container.vue'
import Aside from './src/aside.vue'
import Footer from './src/footer.vue'
import Header from './src/header.vue'
import Main from './src/main.vue'export const ElContainer = withInstall(Container, {Aside,Footer,Header,Main,
})
... // 不全

Container

判断是否垂直,先判断props中的direction属性。

在这里插入图片描述
若没有props.direction,判断插槽中是否有header和footer,有则返回true,代表垂直。

const isVertical = computed(() => {if (props.direction === 'vertical') {return true} else if (props.direction === 'horizontal') {return false}//   是否有ElHeader或ElFooter组件,有就为trueif (slots && slots.default) {const vNodes: VNode[] = slots.default()return vNodes.some((vNode) => {const tag = (vNode.type as Component).namereturn tag === 'ElHeader' || tag === 'ElFooter'})} else {return false}
})

表示垂直的样式会绑定在style中:

<section :class="[ns.b(), ns.is('vertical', isVertical)]"><slot /></section>

useNamespace是一个hook,详情写在博客hooks/useNamespace下。它返回一个对象,可以生成规范的类名。

const ns = useNamespace('container')

ns.is('vertical', isVertical)生成的就是:isVertical

在这里插入图片描述

container只有direction属性。

header

header只有height属性,写在props中。style会计算height属性,最终将结果绑定到header上。

<template><header :class="ns.b()" :style="style"><slot /></header>
</template>
<script lang="ts" setup>
import { computed } from 'vue'
import { useNamespace } from '@element-plus/hooks'import type { CSSProperties } from 'vue'defineOptions({name: 'ElHeader',
})const props = defineProps({/*** @description height of the header*/height: {type: String,default: null,},
})const ns = useNamespace('header')
const style = computed(() => {return props.height? (ns.cssVarBlock({height: props.height,}) as CSSProperties): {}
})
</script>

aside、footer、main完全相似,不赘述。

utils

withInstall

传入一个main组件和extra,返回一个添加了install方法的main组件。
这个方法将main和extra中的所有属性注册到app中。

export const withInstall = <T, E extends Record<string, any>>(main: T, // 主要的 Vue 组件extra?: E // 可选的对象,其属性值是其他 Vue 组件
) => {/* 给 `main` 组件添加一个 `install` 方法这个方法接受一个 Vue 应用作为参数并将 `main` 组件以及 `extra` 中的所有组件注册到这个应用中*/;(main as SFCWithInstall<T>).install = (app): void => {for (const comp of [main, ...Object.values(extra ?? {})]) {app.component(comp.name, comp)}}//   将extra的属性添加到main上if (extra) {for (const [key, comp] of Object.entries(extra)) {;(main as any)[key] = comp}}// SFCWithInstall<T>表示带有 `install` 方法的 Vue 单文件组件// `E` 是 `extra` 的类型。return main as SFCWithInstall<T> & E
}

container/index.ts中调用:

返回了一个对象ElContainer ,有一个install方法,若调用install方法,则将Container、Aside、Footer、Header、Main五个组件注册到app上,并可以通过ElContainer.Container的方法访问Container。

export const ElContainer = withInstall(Container, {Aside,Footer,Header,Main,
})

withNoopInstall

创建一个带有空操作 install 方法的 Vue 组件对象

export const withNoopInstall = <T>(component: T) => {;(component as SFCWithInstall<T>).install = NOOPreturn component as SFCWithInstall<T>
}

关于NOOP:

import { NOOP } from '@vue/shared'

NOOP 是一个常见的编程术语,代表 “No Operation”,即不执行任何操作。在许多编程语言和环境中,它通常被用作一个占位符函数,当你需要一个函数但又不希望它做任何事情时,可以使用NOOP。

调用withNoopInstall:

export const ElAside = withNoopInstall(Aside)

hooks

useNamespace

路径:hooks/use-namespace

用于生成 BEM(Block Element Modifier)命名规则的类名和 CSS 变量名.

BEM 是一种 CSS 命名方法,全称是 Block Element Modifier,即块(Block)、元素(Element)、修饰符(Modifier)。

下面代码接受两个参数:块名和可选的命名空间覆盖。

返回一个对象,包含属性如下:

  • namespace:命名空间。
  • b、e、m、be、em、bm 和 bem:用于生成不同类型的 BEM 类名的函数。
  • is:用于生成状态类名的函数。
  • cssVar、cssVarName、cssVarBlock 和 cssVarBlockName:用于生成 CSS 变量名的函数。
const statePrefix = 'is-'const _bem = (namespace: string,block: string,blockSuffix: string,element: string,modifier: string
) => {let cls = `${namespace}-${block}`if (blockSuffix) {cls += `-${blockSuffix}`}if (element) {cls += `__${element}`}if (modifier) {cls += `--${modifier}`}return cls
}export const useNamespace = (block: string,namespaceOverrides?: Ref<string | undefined>
) => {const namespace = useGetDerivedNamespace(namespaceOverrides)const b = (blockSuffix = '') =>_bem(namespace.value, block, blockSuffix, '', '')const e = (element?: string) =>element ? _bem(namespace.value, block, '', element, '') : ''const m = (modifier?: string) =>modifier ? _bem(namespace.value, block, '', '', modifier) : ''const be = (blockSuffix?: string, element?: string) =>blockSuffix && element? _bem(namespace.value, block, blockSuffix, element, ''): ''const em = (element?: string, modifier?: string) =>element && modifier? _bem(namespace.value, block, '', element, modifier): ''const bm = (blockSuffix?: string, modifier?: string) =>blockSuffix && modifier? _bem(namespace.value, block, blockSuffix, '', modifier): ''const bem = (blockSuffix?: string, element?: string, modifier?: string) =>blockSuffix && element && modifier? _bem(namespace.value, block, blockSuffix, element, modifier): ''const is: {(name: string, state: boolean | undefined): string(name: string): string} = (name: string, ...args: [boolean | undefined] | []) => {const state = args.length >= 1 ? args[0]! : truereturn name && state ? `${statePrefix}${name}` : ''}// for css var// --el-xxx: value;const cssVar = (object: Record<string, string>) => {const styles: Record<string, string> = {}for (const key in object) {if (object[key]) {styles[`--${namespace.value}-${key}`] = object[key]}}return styles}// with blockconst cssVarBlock = (object: Record<string, string>) => {const styles: Record<string, string> = {}for (const key in object) {if (object[key]) {styles[`--${namespace.value}-${block}-${key}`] = object[key]}}return styles}const cssVarName = (name: string) => `--${namespace.value}-${name}`const cssVarBlockName = (name: string) =>`--${namespace.value}-${block}-${name}`return {namespace,b,e,m,be,em,bm,bem,is,// csscssVar,cssVarName,cssVarBlock,cssVarBlockName,}
}

省流版:返回一个对象,可以生成规范的类名。

单元测试

单元测试写的很好啊,可以做学习单元测试的例子:

container.test.tsx:

const AXIOM = 'Rem is the best girl'describe('Container.vue', () => {test('container render test', async () => {const wrapper = mount(() => <Container>{AXIOM}</Container>)expect(wrapper.text()).toEqual(AXIOM)})test('vertical', () => {const wrapper = mount(() => (<Container><Header /><Main /></Container>))expect(wrapper.classes('is-vertical')).toBe(true)})test('direction', () => {const wrapper = mount({data: () => ({ direction: 'horizontal' }),render() {return (<Container direction={this.direction}><Header /><Main /></Container>)},})expect(wrapper.vm.$el.classList.contains('is-vertical')).toBe(false)wrapper.vm.direction = 'vertical'wrapper.vm.$nextTick(() => {expect(wrapper.vm.$el.classList.contains('is-vertical')).toBe(true)})})
})describe('Header', () => {test('create header', () => {const wrapper = mount(() => <Header />)expect(wrapper.classes()).toContain('el-header')})test('header height', () => {const wrapper = mount(() => <Header height="100px" />)const vm = wrapper.vmexpect(getCssVariable(vm.$el, '--el-header-height')).toEqual('100px')})
})describe('Aside', () => {test('aside create', () => {const wrapper = mount(() => <Aside />)expect(wrapper.classes()).toContain('el-aside')})test('aside width', () => {const wrapper = mount(() => <Aside width="200px" />)const vm = wrapper.vmexpect(getCssVariable(vm.$el, '--el-aside-width')).toEqual('200px')})
})describe('Main', () => {test('main create', () => {const wrapper = mount(() => <Main />)expect(wrapper.classes()).toContain('el-main')})
})describe('Footer', () => {test('footer create', () => {const wrapper = mount(() => <Footer />)expect(wrapper.classes()).toContain('el-footer')})test('footer height', () => {const wrapper = mount(() => <Footer height="100px" />)const vm = wrapper.vmexpect(getCssVariable(vm.$el, '--el-footer-height')).toEqual('100px')})
})

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/862750.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Linux操作系统学习:day06

内容来自&#xff1a;Linux介绍 视频推荐&#xff1a;[Linux基础入门教程-linux命令-vim-gcc/g -动态库/静态库 -makefile-gdb调试]( 目录 day0635、使用 rar 工具进行压缩和解压缩压缩 (.rar)解压缩 (.rar) 36、使用 rar 工具进行压缩和解压缩压缩&#xff08;.tar.xz)解压缩…

003-GeoGebra如何无缝嵌入到PPT里

GeoGebra无缝嵌入到PPT里真是一个头疼的问题&#xff0c;已成功解决&#xff0c;这里记录一下&#xff0c;希望可以帮助到更多人。 注意&#xff0c;后续所有的文章说的PPT都是Offce Power Point, 不要拿着WPS的bug来问我哦&#xff0c;我已经戒WPS了&#xff08;此处表示无奈&…

Hologres:高性能实时数据分析引擎

Hologres&#xff1a;高性能实时数据分析引擎 大家好&#xff0c;我是免费搭建查券返利机器人省钱赚佣金就用微赚淘客系统3.0的小编&#xff0c;也是冬天不穿秋裤&#xff0c;天冷也要风度的程序猿&#xff01; 随着数据量的爆发式增长和数据处理需求的不断提升&#xff0c;高…

Flink ProcessFunction不同流异同及应用场景

ProcessFunction系列对比概览 函数类别关键特性应用场景示例ProcessFunction基础类&#xff0c;处理单个事件&#xff0c;支持事件时间、水位线、状态管理、定时器。单独处理每个事件&#xff0c;执行复杂逻辑&#xff0c;如基于事件内容动态响应。KeyedProcessFunction基于键…

adb热更新

模拟器连接AndroidStudio 解决:adb server version (36) doesnt match this client (40); killing... 1.G:\ProgramFils\android-sdk\platform-tools adb --version 2.H:\yeshen\Nox\bin adb --version 3.把G:\ProgramFils\android-sdk\platform-…

Vue组件化、单文件组件以及使用vue-cli(脚手架)

文章目录 1.Vue组件化1.1 什么是组件1.2 组件的使用1.3 组件的名字1.4 嵌套组件 2.单文件组件2.1 vue 组件组成结构2.1.1 template -> 组件的模板结构2.1.2 组件的 script 节点2.1.3 组件的 style 节点 2.2 Vue组件的使用步骤2.2.1 组件之间的父子关系2.2.2 使用组件的三个步…

直播电商APP源码

你有没有想过&#xff0c;如何通过手机就能够触手可及地购买到你想要的商品呢?直播电商APP源码&#xff0c;为你带来了全新的购物体验。它不仅为用户提供了便捷快速的购物平台&#xff0c;还为商家提供了一个高效的销售渠道。 武汉迅狐科技有限公司研发的直播电商APP源码&…

大模型日报 2024-06-28

大模型日报 2024-06-28 大模型资讯 1.寒武纪1号诞生&#xff1a;谢赛宁Yann LeCun团队发布最强开源多模态LLM 谢赛宁 Yann LeCun 团队发布了寒武纪1号&#xff0c;这是一个开源的多模态LLM模型。该模型以视觉为中心&#xff0c;探索了多种不同的视觉编码器及其组合&#xff…

Python | Leetcode Python题解之第190题颠倒二进制位

题目&#xff1a; 题解&#xff1a; class Solution:# param n, an integer# return an integerdef reverseBits(self, n):n (n >> 16) | (n << 16);n ((n & 0xff00ff00) >> 8) | ((n & 0x00ff00ff) << 8);n ((n & 0xf0f0f0f0) >&g…

virtualbox安装win10

等到安装完成 设备下选择安装增强功能

Android Input事件注入

1. Android可以通过adb shell input xxx命令注入输入事件&#xff0c;调用IMS.injectInputEvent&#xff0c;最终走到通过JNI调用InputDispatcher注入事件&#xff0c;没有经过InputReader public class Input extends BaseCommand {// ... ... ... ...Input() {COMMANDS.put(…

AUTOSAR NvM模块(一)

NvMBlockDescriptor [ECUC_NVM_00061] 用于存储所有特定于块的配置参数的容器。对于每个非易失性随机存取存储器&#xff08;NVRAM&#xff09;块&#xff0c;应该指定这个容器的一个实例。 NvMBlockCrcType 定义了NVRAM块的CRC数据宽度。根据Autosar标准&#xff0c;此参数…

Web渗透-逻辑漏洞

一、概述 逻辑漏洞是指由于程序逻辑不严或逻辑太复杂&#xff0c;导致一些逻辑分支不能够正常处理或处理错误&#xff0c;一般出现任意密码修改&#xff08;没有旧密码验证&#xff09;,越权访问&#xff0c;密码找回&#xff0c;交易支付金额等。对常见的漏洞进行过统计&…

2毛钱不到的2A同步降压DCDC电压6V频率1.5MHz电感2.2uH封装SOT23-5芯片MT3520B

前言 2A&#xff0c;2.3V-6V输入&#xff0c;1.5MHz 同步降压转换器&#xff0c;批量价格约0.18元 MT3520B 封装SOT23-5 丝印AS20B5 特征 高效率&#xff1a;高达 96% 1.5MHz恒定频率操作 2A 输出电流 无需肖特基二极管 2.3V至6V输入电压范围 输出电压低至 0.6V PFM 模式可在…

Symfony事件调度系统:掌控应用程序生命周期的钥匙

Symfony事件调度系统&#xff1a;掌控应用程序生命周期的钥匙 引言 Symfony是一个高度灵活的PHP框架&#xff0c;用于构建各种规模的Web应用程序。它的核心特性之一是事件调度系统&#xff0c;该系统允许开发者在应用程序的生命周期中触发和监听事件。这种机制为开发者提供了…

TS_开发一个项目

目录 一、编译一个TS文件 1.安装TypeScript 2.创建TS文件 3.编译文件 4.用Webpack打包TS ①下载依赖 ②创建文件 ③启动项目 TypeScript是微软开发的一个开源的编程语言&#xff0c;通过在JavaScript的基础上添加静态类型定义构建而成。TypeScript通过TypeScript编译器或…

我在高职教STM32——时钟系统与延时控制(1)

大家好&#xff0c;我是老耿&#xff0c;高职青椒一枚&#xff0c;一直从事单片机、嵌入式、物联网等课程的教学。对于高职的学生层次&#xff0c;同行应该都懂的&#xff0c;老师在课堂上教学几乎是没什么成就感的。正因如此&#xff0c;才有了借助 CSDN 平台寻求认同感和成就…

MySQL 重新初始化实例

1、关闭mysql服务 service mysqld stop 2、清理datadir(本例中指定的是/var/lib/mysql)指定的目录下的文件&#xff0c;将该目录下的所有文件删除或移动至其他位置 cd /var/lib/mysql mv * /opt/mysql_back/ 3、初始化实例 /usr/local/mysql/bin/mysqld --initialize --u…

免交互

1、定义 交互&#xff1a;我们发出指令控制程序的运行&#xff0c;程序在接受到指令之后按照指令的效果做出对应的反应。 免交互&#xff1a;间接的通过第三方把指令传送给程序&#xff0c;不用直接的下达指令 2、Here Document 免交互 这是命令行格式也可以写在脚本当中。…

6.26.4.3 条件生成对抗和卷积网络用于x射线乳房质量分割和形状分类

一种基于条件生成对抗网络(conditional Generative Adversarial Networks, cGAN)的乳房肿块分割方法。假设cGAN结构非常适合准确地勾勒出质量区域&#xff0c;特别是当训练数据有限时。生成网络学习肿瘤的内在特征&#xff0c;而对抗网络强制分割与基础事实相似。从公开DDSM数据…