Vite+Vue3+TypeScript

1、学习背景

随着前端web应用的需求不断发展和变化,vue生态圈也紧跟开发者步伐,不断演化。尽管vue2.0已经很完善了,很多人掌握的vue2.0,感觉实在学不动了,意料之外的是尤先生继续更新vue到3.0版本,以补充vue2.0的不足之处。随着vue3.0问世,vite2.5.1也油然而生,vue始终没有放弃对项目响应速度和编译速度的追求,vite的到来,对于前端开发者而言,简直不要太幸福了。vue3.0不仅全面支持TypeScript语法,还对生命周期钩子进行了优化和剔除,加上工具setup的语法糖,vue单页面多个根元素的扩展,代码精简不说,还很有条理,vue3.0的出现再次提升了开发者的编码体验和幸福感。另外vue3整合typescript语言是前端未来发展的必然趋势,而生为vue家族的新成员vite也是前端技术爱好者的学习目标,赢在起点,从学习新技术开始。活到老,学到老,是一个合格前端开发者的毕生信仰。

2、vite简介

vite诞生是为了提升web项目运行性能,以更快的速度将应用页面展示给用户。Vite 以 原生 ESM 方式提供源码。这实际上是让浏览器接管了打包程序的部分工作:Vite 只需要在浏览器请求源码时进行转换并按需提供源码。根据情景动态导入代码,即只在当前屏幕上实际使用时才会被处理。

提供的驱动力:

2.1、优化缓慢的服务器启动(冷启动开发服务器和正式环境响应速度);

2.2、优化缓慢的项目更新(vite服务器);

3、vite创建项目

兼容性注意:

Vite 需要 Node.js 版本 >= 12.0.0。

必须安装Volar插件,用vscode编辑器

  1. // 安装vite
  2. 1npm init vite@latest
  3. // 安装vite同时创建vite项目
  4. 2npm init vite@latest my-vue-app --template vue
  1. {
  2. "scripts": {
  3. "dev": "vite", // 启动开发服务器
  4. "build": "vite build", // 为生产环境构建产物
  5. "serve": "vite preview" // 本地预览生产构建产物
  6. }
  7. }

4、版本依赖兼容和项目目录介绍

package.json版本依赖说明, 这里是整个项目依赖版本配置,相关安装指令后面视频中会逐个教大家如何安装。

注意:vuex和router都是4.0及以上版本的,否则用vue3时,找不到暴露的api

  1. {
  2. "name": "vite-ts-vue3-plus-demo",
  3. "version": "0.0.0",
  4. "scripts": {
  5. "dev": "vite",
  6. "build": "vue-tsc --noEmit && vite build",
  7. "serve": "vite preview"
  8. },
  9. "dependencies": {
  10. "@element-plus/icons": "0.0.11",
  11. "dotenv": "^10.0.0",
  12. "element-plus": "^1.1.0-beta.7",
  13. "vue": "^3.0.5",
  14. "vue-router": "^4.0.11",
  15. "vuex": "^4.0.2"
  16. },
  17. "devDependencies": {
  18. "@types/node": "^16.7.1",
  19. "@vitejs/plugin-vue": "^1.3.0",
  20. "@vue/compiler-sfc": "^3.0.5",
  21. "node-sass": "^6.0.1",
  22. "sass": "^1.38.1",
  23. "sass-loader": "^12.1.0",
  24. "typescript": "^4.3.2",
  25. "vite": "^2.4.4",
  26. "vue-tsc": "^0.2.2"
  27. }
  28. }

5、setup语法糖使用

5.1 setup前身组合式API(基础用法)

注意:在setup()中不能用this

  1. `setup` 中你应该避免使用 `this`,因为它不会找到组件实例。`setup` 的调用发生在 `data` property、`computed` property `methods` 被解析之前,所以它们无法在 `setup` 中被获取,这也是为了避免setup()和其他选项式API混淆。
  1. /* 参数说明
  2. * props 是响应式的,当传入新的 prop 时,它将被更新
  3. * context 是一个普通的上下文JavaScript对象,它暴露组件的三个 property(包括属性,插槽,方法),
  4. * 如下示例1所示
  5. */
  6. // 示例1
  7. <script>
  8. export default {
  9. setup(props, context) {
  10. // Attribute (非响应式对象)
  11. console.log(context.attrs)
  12. // 插槽 (非响应式对象)
  13. console.log(context.slots)
  14. // 触发事件 (方法)
  15. console.log(context.emit)
  16. }
  17. }
  18. </script>

5.2 setup后世(高级用法),推荐用法

注意:defineProps不需要引入,vue单文件内部自动暴露的API

  1. <script setup lang="ts"><script>是在单文件组件(SFC)中使用组合式API的编译时的语法糖。相比普通的语法,它具有更多优势:
  2. - 更少的样板内容,更简洁的代码,比如:省略了组件的注册声明,对象暴露returnmethods,。
  3. - 能够使用纯 Typescript 声明 props 和发出事件。
  4. - 更好的运行时性能 (其模板会被编译成与其同一作用域的渲染函数,没有任何的中间代理)。
  5. - 更好的 IDE 类型推断性能 (减少语言服务器从代码中抽离类型的工作)。

注意点:

1、在setup语法糖中导入组件不需要注册声明,直接在视图中使用即可;

2、vue文件结构发生改变,js默认放到页面顶部,而视图template放到js下面,style放到页面底部;

3、导入vue文件必须写上文件后缀名.vue, 否则ts无法识别vue文件。

示例对比:

  1. // 基础用法
  2. <script lang="ts">
  3. export default {
  4. props: {
  5. title: {
  6. type: String,
  7. default:()=>{return '测试信息'}
  8. }
  9. },
  10. setup(props:any) {
  11. console.log(props.title)
  12. }
  13. }
  14. </script>
  15. // 高级用法
  16. <script setup lang="ts">
  17. const props = defineProps({
  18. title: {
  19. type: String,
  20. default:()=>{return '测试信息'}
  21. }
  22. })
  23. console.log(props.title);
  24. </script>

6、defineProps 和 defineEmits

**注意:defineProps****defineEmits** 都是只在 **<script setup>** 中才能使用的编译器宏

  1. 为了声明 `props` `emits` 选项且具备完整的类型推断,可以使用 `defineProps` `defineEmits` API,它们在 `<script setup>` 中都是自动可用的:
  2. - **`defineProps` `defineEmits` 都是只在 `<script setup>` 中才能使用的****编译器宏**。他们不需要导入,且会在处理 `<script setup>` 的时候被编译处理掉。
  3. - `defineProps` 接收与 `props` 选项相同的值,`defineEmits` 也接收 `emits` 选项相同的值。
  4. - `defineProps` `defineEmits` 在选项传入后,会提供恰当的类型推断。
  5. - 传入到 `defineProps` `defineEmits` 的选项会从 setup 中提升到模块的范围。因此,传入的选项不能引用在 setup 范围中声明的局部变量。这样做会引起编译错误。但是,它*可以*引用导入的绑定,因为它们也在模块范围内。

6.1、子组件vue

  1. <template>
  2. <p>{{props.msg}}</p>
  3. <button @click="handleClick">点击我调用父组件方法</button>
  4. </template>
  5. <script setup lang="ts">
  6. const props = defineProps({
  7. msg:{
  8. type: String,
  9. default: () => '默认值'
  10. }
  11. })
  12. const emit = defineEmits(['on-change', 'update'])
  13. const handleClick = () =>{
  14. emit('on-change', '父组件方法被调用了')
  15. }
  16. </script>

6.2 、父组件vue

  1. <script setup lang="ts">
  2. import TestPropsPmit from './components/test-props-emit/index.vue';
  3. import { ref } from 'vue';
  4. // 定义字符串变量
  5. const msg = ref('欢迎使用vite!')
  6. // 调用事件
  7. const handleChange = (params:string) =>{
  8. console.log(params);
  9. }
  10. </script>
  11. <template>
  12. <TestPropsPmit :msg="msg" @on-change="handleChange"></TestPropsPmit>
  13. </template>

温馨提示:这里介绍一哈volar插件小图标在vue文件里的作用:

点击这个三角形图标,会将文件归类显示,方便编写代码;

7、正确使用defineExpose

使用 <script setup> 的组件是默认关闭的,也即通过模板 ref 或者 $parent 链获取到的组件的公开实例,不会暴露任何在 <script setup> 中声明的绑定。

为了在 <script setup> 组件中明确要暴露出去的属性,使用 defineExpose 编译器宏:

7.1、子组件暴露属性和方法,给父组件引用

  1. <script setup lang="ts">
  2. function testChild():void{
  3. console.log('子组件方法testChild被调用了');
  4. }
  5. const b = ref(2)
  6. // 统一暴露属性
  7. defineExpose({
  8. obj:{name: '张三', age: 2300},
  9. b,
  10. testChild
  11. })
  12. </script>

7.2、父组件调用子组件方法和属性

  1. <template>
  2. <TestPropsEmit ref="propsEmitRef" :msg='msg' @on-change="handleChange"> </TestPropsEmit>
  3. </template>
  4. <script setup lang="ts">
  5. import TestPropsEmit from './components/test-props-emit/index.vue';
  6. import {ref, onMounted} from 'vue';
  7. const msg = ref('欢迎学习vite')
  8. const handleChange = (params:string)=>{
  9. console.log(params);
  10. }
  11. const propsEmitRef = ref()
  12. onMounted(()=>{
  13. console.log(propsEmitRef.value.child);
  14. })
  15. </script>

7.3 在setup如何定义变量(字符串,对象,数组)

  1. <template>
  2. <h2>{{count}} {{user.name}}</h2>
  3. <span v-for="(item, index) in arr" :key="index">{{item}}</span>
  4. <button @click="setName">点击我增加</button>
  5. </template>
  6. <script setup lang="ts">
  7. import { ref, reactive } from 'vue';
  8. // 字符串变量
  9. const count = ref(0)
  10. // 对象
  11. let user = reactive({
  12. name: '张三'
  13. })
  14. // 数组
  15. let arr = reactive(['1', '2', '3'])
  16. // 综合定义方案
  17. const originData = reactive({
  18. count: 0,
  19. user:{
  20. name: '张三'
  21. },
  22. arr: ['1', '2', '3']
  23. })
  24. // 方法
  25. const setName = ()=>{
  26. count.value++
  27. user.name = '李四'
  28. }
  29. </script>

8、Watch和WatchEffect

1、基本使用方法:

  1. <template>
  2. <p>{{originData.count}} {{originData.user.name}}</p>
  3. <p v-for="(item, index) in originData.arr" :key="index">{{item}}</p>
  4. <button @click="incriment">点击我count增加</button>
  5. </template>
  6. <script setup lang="ts">
  7. import { ref, reactive, watchEffect, watch } from 'vue';
  8. const count = ref(0)
  9. const user = reactive({name: '张三'})
  10. const arr = reactive([1,2,3,4])
  11. // 综合定义方案
  12. const originData = reactive({
  13. count: 0,
  14. user:{
  15. name: '张三'
  16. },
  17. arr:[1,2,3,4]
  18. })
  19. const incriment = ()=>{
  20. originData.count++
  21. count.value++
  22. originData.user.name = '李四'
  23. }
  24. // 默认页面更新之前立即执行监听,懒执行开始
  25. watchEffect(() => console.log(count.value))
  26. // 默认监听数据变化后的值,页面更新后不会立即执行
  27. watch(count, (n, o) => {
  28. console.log('watch', n, o);
  29. })
  30. // 监听多个值
  31. watch([count, originData.user], (newValues, prevValues) => {
  32. console.log(newValues[0], newValues[1].name)
  33. })
  34. // 立即监听
  35. watch([count, originData.user], (newValues, prevValues) => {
  36. console.log(newValues[0], newValues[1].name)
  37. }, {deep: true, immediate: true})
  38. </script>

2、watch与 watchEffect 比较,推荐watch监听

watch: 页面更新后不会立即执行,而watchEffect 它会执行;

如果要实现:watch在页面更新之后就执行,需要增加立即执行的属性;

  1. watch([count,originData.user], (n, o)=> {console.log(n[0],n[1].name)}, {deep: true, immediate: true})
  1. 1watchwatchEffect都懒执行副作用,不过watchEffect比较频繁,在vue组件更新之前执行;
  2. 2watch更具体地说明什么状态应该触发侦听器重新运行,watchEffect就没有这么友好;
  3. 3watch访问侦听状态变化前后的值。

9、在setup中的生命周期钩子

因为 setup 是围绕 beforeCreatecreated 生命周期钩子运行的,所以不需要显式地定义它们。换句话说,在这些钩子中编写的任何代码都应该直接在 setup 函数中编写。

下表包含如何在 setup () 内部调用生命周期钩子:

选项式 API Hook inside setup
beforeCreate Not needed* 不需要
created Not needed* 不需要
beforeMount onBeforeMount
挂载之前
mounted onMounted
页面加载完成时执行
beforeUpdate onBeforeUpdate
updated onUpdated
beforeUnmount onBeforeUnmount
unmounted onUnmounted
页面销毁时执行
errorCaptured onErrorCaptured
renderTracked onRenderTracked
renderTriggered onRenderTriggered
activated onActivated
deactivated onDeactivated
  1. <script setup lang="ts">
  2. import { onMounted, onActivated, onUnmounted, onUpdated, onDeactivated } from 'vue';
  3. // 读取环境变量
  4. const mode = import.meta.env;
  5. // import HeadMenu from '@/components/head-menu/index.vue';
  6. onMounted(() => {
  7. console.log("组件挂载")
  8. })
  9. onUnmounted(() => {
  10. console.log("组件卸载")
  11. })
  12. onUpdated(() => {
  13. console.log("组件更新")
  14. })
  15. onActivated(() => {
  16. console.log("keepAlive 组件 激活")
  17. })
  18. onDeactivated(() => {
  19. console.log("keepAlive 组件 非激活")
  20. })
  21. </script>

10、用Ts限制define(Emits|Props)参数类型

注意:

1、在setup语法糖中引入组件不需要注册声明就可以直接用了

2、ts 限制组件传参类型,默认是必须传值的,否则控制台出现警告, 引入组件的地方会出现红色提醒,不想必传在绑定参数后加?即可

3、ts传参支持多种类型校验,一个参数可以传字符串,数组,Boolean等

4、用ts方式限制defineEmits和defineProps参数类型

1、子组件

  1. <template >
  2. <h1>{{msg}}</h1>
  3. <h3>{{title}}</h3>
  4. <input v-model="inputValue" type="text" @blur="handleUpdate($event)">
  5. </template>
  6. <script setup lang="ts">
  7. import { ref } from "vue";
  8. defineProps<{
  9. msg?:(string | number),
  10. title?: string
  11. }>()
  12. // 提供默认值方式 1
  13. interface Props{
  14. msg?: (string | number | boolean),
  15. title?: string[]
  16. }
  17. withDefaults(defineProps<Props>(), {
  18. msg: 'hello',
  19. title: () => ['one', 'two']
  20. })
  21. // 提供默认方式 2
  22. withDefaults(defineProps<{
  23. msg?: (string | number | boolean)
  24. title?: string
  25. }>(), {
  26. msg: 3,
  27. title: '默认标题'
  28. })
  29. // const emit = defineEmits(['updateValue'])
  30. const emit = defineEmits<{
  31. (event: 'change'): void,
  32. (event: 'update', data: string): void
  33. }>()
  34. const inputValue = ref<any>()
  35. const handleUpdate = (event: any) =>{
  36. const { target } = event
  37. // console.log(target.value, 1111);
  38. emit('update', event.target.value)
  39. }
  40. </script>

2、父组件

  1. <script setup lang="ts">
  2. import CellSample from "./components/cell-samples/index.vue";
  3. const update = (data: any) =>{
  4. console.log(data);
  5. }
  6. </script>
  7. <template>
  8. <CellSample @update="update"></CellSample>
  9. </template>

11、递归组件

一个单文件组件可以通过它的文件名被其自己所引用。例如:名为 FooBar.vue 的组件可以在其模板中用 <FooBar/> 引用它自己。

请注意这种方式相比于 import 导入的组件优先级更低。如果有命名的 import 导入和组件的推断名冲突了,可以使用 import 别名导入:

  1. import { FooBar as FooBarChild } from './components'

注意:这里有小问题,当单文件引入单文件时会出现内存溢出现象

12、component动态组件

由于组件被引用为变量而不是作为字符串键来注册的,在 <script setup> 中要使用动态组件的时候,就应该使用动态的 :is 来绑定:

  1. <script setup lang='ts'>
  2. import Foo from './Foo.vue'
  3. import Bar from './Bar.vue'
  4. </script>
  5. <template>
  6. <component :is="Foo" />
  7. <component :is="someCondition ? Foo : Bar" />
  8. </template>

13、ts限制普通函数/箭头函数参数类型

13.1 普通函数

  1. <script setup lang="ts">
  2. function test(params:(string|boolean)):void {
  3. console.log(params);
  4. }
  5. test('5555')
  6. </script>

13.2 箭头函数,推荐用法

  1. <script setup lang="ts">
  2. const test = (params:(string|boolean))=>{
  3. console.log(params)
  4. }
  5. test('5555')
  6. </script>

14、引入vuex配置和使用

14.1 创建项目时我们已经引入了vuex4.0版本,接下来我们就开始配置vuex4.0并测试。

  1. // 注意必须安装vuex4.0版本及以上
  2. npm install vuex@next --save
  3. #or
  4. yarn add vuex@next --save

14.2 在src目录下创建store文件夹,新建文件index.ts, index.ts内容如下所示:

  1. import { InjectionKey } from 'vue'
  2. /**
  3. * 引入 InjectionKey 并将其传入 useStore 使用过的任何地方,
  4. * 很快就会成为一项重复性的工作。为了简化问题,可以定义自己
  5. * 的组合式函数来检索类型化的 store
  6. */
  7. // 未简化useStore版
  8. // import { createStore, Store } from 'vuex'
  9. // 简化useStore版
  10. import { useStore as baseUseStore, createStore, Store} from 'vuex'
  11. // 为 store state 声明类型
  12. export interface State {
  13. username: string,
  14. count: number
  15. }
  16. // 定义 injection key
  17. export const key: InjectionKey<Store<State>> = Symbol()
  18. // 导出store模块
  19. export const store = createStore<State>({
  20. state: {
  21. username: "测试store",
  22. count: 0
  23. },
  24. getters:{
  25. getName: state =>{
  26. return state.username
  27. }
  28. },
  29. mutations: {
  30. // 重置名称
  31. SET_NAME(state, params:string) {
  32. state.username = params
  33. }
  34. },
  35. actions:{}
  36. })
  37. // 定义自己的 `useStore` 组合式函数
  38. export function useStore () {
  39. return baseUseStore(key)
  40. }

14.3 在根目录下新建vuex-d.ts文件,内容如下所示:

  1. // 一个声明文件来声明 Vue 的自定义类型 ComponentCustomProperties
  2. import { ComponentCustomProperties } from 'vue';
  3. import { Store } from 'vuex';
  4. declare module '@vue/runtime-core' {
  5. // 声明自己的 store state
  6. interface State {
  7. count: number,
  8. username: string
  9. }
  10. // 为 `this.$store` 提供类型声明
  11. interface ComponentCustomProperties {
  12. $store: Store<State>
  13. }
  14. }

14.4 在main.ts中注入store模块

  1. import { createApp } from 'vue';
  2. import App from './App.vue';
  3. // 导入store模块, 传入 injection key
  4. import { store, key } from '@/store';
  5. const app = createApp(App)
  6. app.use(store, key)
  7. app.mount('#app')

14.5 引用测试vuex配置是否正确

  1. <el-button @click="changeName" size="small">点击修改名称</el-button>
  2. <script setup lang="ts">
  3. // vue 组件
  4. import { useStore } from '@/store';
  5. const store = useStore()
  6. // 测试store重置名称
  7. // store.commit('increment', 10)
  8. function changeName():void{
  9. store.commit('SET_NAME', 10)
  10. console.log('修改后的名称:'+store.getters.getName);
  11. }
  12. console.log(store.state.count,store.getters.getName)
  13. </script>

15、router配置以及使用详解

15.1 安装

创建项目时我们已经引入了router4.0版本,接下来我们就开始配置router4.0并测试。

  1. // 注意:安装router必须是4.0及以上
  2. npm install vue-router@4

15.2 页面准备

目录结构

页面具体内容:

1、layout/index.vue

  1. <template>
  2. <Header/>
  3. <router-view></router-view>
  4. </template>
  5. <script setup lang="ts">
  6. import Header from './header/index.vue';
  7. </script>

2、layout/header/index.vue

  1. <template>
  2. <div class="action">
  3. <h2 @click="handleClick(1)">首页</h2>
  4. <h2 @click="handleClick(0)">关于</h2>
  5. </div>
  6. </template>
  7. <script setup lang="ts">
  8. import { useRouter } from 'vue-router';
  9. const router = useRouter()
  10. const handleClick = (num: number)=>{
  11. if (num) {
  12. router.push({name: 'home'})
  13. }else router.push({name: 'about'})
  14. }
  15. </script>
  16. <style >
  17. .action{
  18. display: flex;
  19. }
  20. h2{
  21. padding: 0px 10px;
  22. cursor: pointer;
  23. }
  24. h2:hover{
  25. color: red;
  26. }
  27. </style>

3、pages/home/index.vue

  1. <template>
  2. <h2>home</h2>
  3. </template>

4、pages/about/index.vue

  1. <template>
  2. <h2>about</h2>
  3. </template>

15.3 在src目录下创建router文件夹,然后创建index.ts文件,内容如下所示:

  1. import { createRouter, createWebHashHistory } from "vue-router";
  2. import LayOut from "../components/layout/index.vue";
  3. const routes = [
  4. {
  5. path: '/',
  6. component: LayOut,
  7. redirect: '/home',
  8. children:[
  9. {
  10. path: '/home',
  11. name: 'home',
  12. component: ()=> import("../pages/home/index.vue"),
  13. meta:{
  14. title: '首页',
  15. icon: ''
  16. }
  17. },
  18. {
  19. path: '/about',
  20. name: 'about',
  21. component: ()=> import("../pages/about/index.vue"),
  22. meta:{
  23. title: '关于',
  24. icon: ''
  25. }
  26. }
  27. ]
  28. }
  29. ]
  30. const router = createRouter({
  31. history: createWebHashHistory(),
  32. routes
  33. })
  34. export default router

15.4 在main.ts中注入router模块, 重新启动项目,访问路由,看是否正确

  1. import { createApp } from 'vue'
  2. import App from './App.vue'
  3. import { store, key } from './store';
  4. import router from './router';
  5. const app = createApp(App);
  6. app.use(store, key);
  7. app.use(router);
  8. app.mount('#app');

15.5 使用路由

  1. <template>
  2. <div class="action">
  3. <h2 @click="handleClick(1)">首页</h2>
  4. <h2 @click="handleClick(0)">关于</h2>
  5. </div>
  6. </template>
  7. <script setup lang="ts">
  8. import { useRouter } from 'vue-router';
  9. const router = useRouter()
  10. const handleClick = (num: number)=>{
  11. if (num) {
  12. router.push({name: 'home'})
  13. }else router.push({name: 'about'})
  14. }
  15. </script>
  16. <style >
  17. .action{
  18. display: flex;
  19. }
  20. h2{
  21. padding: 0px 10px;
  22. cursor: pointer;
  23. }
  24. h2:hover{
  25. color: red;
  26. }
  27. </style>

16、引入element-plus以及注意事项

16.1 安装

  1. npm install element-plus --save
  2. # or
  3. yarn add element-plus
  4. # 安装icon图标依赖库
  5. npm install @element-plus/icons
  6. # or
  7. yarn add @element-plus/icons

16.2 在main.ts 文件中引入配置

  1. import { createApp } from 'vue'
  2. import App from './App.vue'
  3. import { store, key } from './store';
  4. // 注入路由
  5. import router from './router';
  6. // 引入ui组件
  7. import ElementPlus from 'element-plus'
  8. import 'element-plus/dist/index.css'
  9. const app = createApp(App);
  10. app.use(store, key);
  11. app.use(router);
  12. app.use(ElementPlus);
  13. app.mount('#app');

16.3 在vue文件中引用ui组件

1、单个图标引用

  1. <template>
  2. <el-icon :size="20" :color="'blue'">
  3. <edit />
  4. </el-icon>
  5. </template>
  6. <script setup lang="ts">
  7. import { Edit } from '@element-plus/icons'
  8. </script>

2、全局注册图标使用

  1. import { createApp } from 'vue'
  2. import App from './App.vue'
  3. import { Edit,Search } from '@element-plus/icons'
  4. const app = createApp(App);
  5. app.component("edit", Edit)
  6. app.component("search", Search)
  7. app.mount('#app');

2、1 使用图标

  1. <template>
  2. <h2>home页面</h2>
  3. <el-button type="primary" >主要按钮</el-button>
  4. <el-button type="success" >成功按钮</el-button>
  5. <el-icon :size="20" :color="'blue'">
  6. <edit />
  7. </el-icon>
  8. <el-icon :size="20">
  9. <search></search>
  10. </el-icon>
  11. </template>
  12. <script setup lang="ts">
  13. </script>

17、配置vite.config.ts

这里主要配置vite服务器的打包保存地址,打包分解,端口号,是否自动打开浏览器,远程请求地址代理目标,目录别名,全局样式配置等。

  1. import { defineConfig } from 'vite';
  2. import vue from '@vitejs/plugin-vue';
  3. import { loadEnv } from 'vite';
  4. // nodejs写法,获取项目目录
  5. import path from 'path';
  6. // https://vitejs.dev/config/
  7. export default({ command, mode }) => {
  8. return defineConfig({
  9. plugins: [vue()],
  10. server:{
  11. host: '127.0.0.1',
  12. port: Number(loadEnv(mode, process.cwd()).VITE_APP_PORT),
  13. strictPort: true, // 端口被占用直接退出
  14. https: false,
  15. open: true,// 在开发服务器启动时自动在浏览器中打开应用程序
  16. proxy: {
  17. // 字符串简写写法
  18. // '/foo': '',
  19. // 选项写法
  20. '/api': {
  21. target: loadEnv(mode, process.cwd()).VITE_APP_BASE_URL,
  22. changeOrigin: true,
  23. rewrite: (path) => path.replace(/^\/api/, '')
  24. },
  25. // 正则表达式写法
  26. // '^/fallback/.*': {
  27. // target: 'http://jsonplaceholder.typicode.com',
  28. // changeOrigin: true,
  29. // rewrite: (path) => path.replace(/^\/fallback/, '')
  30. // },
  31. },
  32. hmr:{
  33. overlay: true // 屏蔽服务器报错
  34. }
  35. },
  36. resolve:{
  37. alias:{
  38. '@': path.resolve(__dirname,'./src')
  39. }
  40. },
  41. css:{
  42. // css预处理器
  43. preprocessorOptions: {
  44. // 引入 var.scss 这样就可以在全局中使用 var.scss中预定义的变量了
  45. // 给导入的路径最后加上 ;
  46. scss: {
  47. additionalData: '@import "@/assets/styles/global.scss";'
  48. }
  49. }
  50. },
  51. build:{
  52. chunkSizeWarningLimit: 1500, // 分块打包,分解块,将大块分解成更小的块
  53. rollupOptions: {
  54. output:{
  55. manualChunks(id) {
  56. if (id.includes('node_modules')) {
  57. return id.toString().split('node_modules/')[1].split('/')[0].toString();
  58. }
  59. }
  60. }
  61. }
  62. }
  63. })
  64. }

18、tsconfig.json 配置

这是typescript的识别配置文件,也是ts向js转化的中间站,这里配置了许多关于ts的文件类型和策略方法。

  1. {
  2. "compilerOptions": {
  3. "target": "esnext",
  4. "module": "esnext",
  5. "moduleResolution": "node",
  6. "strict": true,
  7. "jsx": "preserve",
  8. "sourceMap": true,
  9. "resolveJsonModule": true,
  10. "esModuleInterop": true,
  11. "lib": ["esnext", "dom"],
  12. "baseUrl": ".",
  13. "paths": {
  14. "@/*":["src/*"]
  15. }
  16. },
  17. "include": ["src/**/*.ts", "src/**/*.d.ts", "src/**/*.tsx", "src/**/*.vue"]
  18. }

19、shims-vue.d.ts配置, 声明vue文件全局模块

这里是配置声明,比如css,vue等文件,ts不能识别,需要配置声明模块类型。

  1. declare module '*.vue' {
  2. import { DefineComponent } from 'vue'
  3. // eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/ban-types
  4. const component: DefineComponent<{}, {}, any>
  5. export default component
  6. }

20、安装scss并配置全局样式文件

  1. // 注意要使用scss,必须安装依赖,否则报错
  2. npm install node-sass sass-loader sass -D

20.1 需要在src目录的assets静态目录新增一个全局global.scss文件,其他样式文件导入到该文件即可全局使用和修改。

或者在global.scss写一个单独属性测试

  1. $color-primary: #007aff;

vue使用全局样式变量

  1. <template>
  2. <h2 class="test-color">home页面</h2>
  3. </template>
  1. <style lang="scss" scoped>
  2. .test-color{
  3. color: $color-primary;
  4. }
  5. </style>

20.2 在vite.config.ts 文件中配置global.scss

  1. css:{
  2. // css预处理器
  3. preprocessorOptions: {
  4. // 引入 var.scss 这样就可以在全局中使用 var.scss中预定义的变量了
  5. // 给导入的路径最后加上 ;
  6. scss: {
  7. additionalData: '@import "@/assets/styles/global.scss";'
  8. }
  9. }
  10. }

21、响应式API

21.1 、ref

响应式状态需要明确使用响应式 APIs 来创建。和从 setup() 函数中返回值一样,ref 值在模板中使用的时候会自动解包:

  1. <script setup lang='ts'>
  2. import { ref } from 'vue'
  3. const count = ref(0)
  4. </script>
  5. <template>
  6. <button @click="count++">{{ count }}</button>
  7. </template>

21.2、toRefs

将响应式对象转换为普通对象,其中结果对象的每个 property 都是指向原始对象相应 property 的 [ref](https://v3.cn.vuejs.org/api/refs-api.html#ref)

当从组合式函数返回响应式对象时,toRefs 非常有用,这样消费组件就可以在不丢失响应性的情况下对返回的对象进行解构/展开:

  1. function useFeatureX() {
  2. const state = reactive({
  3. foo: 1,
  4. bar: 2
  5. })
  6. // 操作 state 的逻辑
  7. // 返回时转换为ref
  8. return toRefs(state)
  9. }
  10. export default {
  11. setup() {
  12. // 可以在不失去响应性的情况下解构
  13. const { foo, bar } = useFeatureX()
  14. return {
  15. foo,
  16. bar
  17. }
  18. }
  19. }

toRefs 只会为源对象中包含的 property 生成 ref。如果要为特定的 property 创建 ref,则应当使用 [toRef](https://v3.cn.vuejs.org/api/refs-api.html#toref)

21.3、roRef

可以用来为源响应式对象上的某个 property 新创建一个 [ref](https://v3.cn.vuejs.org/api/refs-api.html#ref)。然后,ref 可以被传递,它会保持对其源 property 的响应式连接。

  1. const state = reactive({
  2. foo: 1,
  3. bar: 2
  4. })
  5. const fooRef = toRef(state, 'foo')
  6. fooRef.value++
  7. console.log(state.foo) // 2
  8. state.foo++
  9. console.log(fooRef.value) // 3

即使源 property 不存在,toRef 也会返回一个可用的 ref。这使得它在使用可选 prop 时特别有用,可选 prop 并不会被 [toRefs](https://v3.cn.vuejs.org/api/refs-api.html#torefs) 处理。

22、.env.环境变量配置和读取

环境变量建议放到项目根目录下, 方便vite.config.ts文件读取和使用

  1. .env.production // 生产环境配置文件
  2. .env.development // 开发环境配置文件

22.1 生产和开发环境配置文件内容如下:

写变量时一定要以VITE_开头,才能暴露给外部读取

  1. # 开发环境 / #生产环境
  2. VITE_APP_TITLE = "前端技术栈"
  3. VITE_APP_PORT = 3001
  4. # 请求接口
  5. VITE_APP_BASE_URL = "http://39.12.29.12:8080"
  6. //env.d.ts文件内进行 环境变量智能提示配置
  7. interface ImportMetaEnv {
  8. VITE_APP_TITLE: string,
  9. VITE_APP_PORT: string,
  10. VITE_APP_BASE_URL: string
  11. }

22.2 vite.config.ts 读取配置文件

  1. import { defineConfig } from 'vite';
  2. import vue from '@vitejs/plugin-vue';
  3. import { loadEnv } from 'vite';
  4. // nodejs写法,获取项目目录
  5. import path from 'path';
  6. // https://vitejs.dev/config/
  7. export default({ command, mode }) => {
  8. // console.log(command, mode, 5555);
  9. return defineConfig({
  10. plugins: [vue()],
  11. server:{
  12. host: '127.0.0.1',
  13. port: Number(loadEnv(mode, process.cwd()).VITE_APP_PORT),
  14. strictPort: true, // 端口被占用直接退出
  15. https: false,
  16. open: true,// 在开发服务器启动时自动在浏览器中打开应用程序
  17. proxy: {
  18. // 字符串简写写法
  19. // '/foo': '',
  20. // 选项写法
  21. '/api': {
  22. target: loadEnv(mode, process.cwd()).VITE_APP_BASE_URL,
  23. changeOrigin: true,
  24. rewrite: (path) => path.replace(/^\/api/, '')
  25. },
  26. // 正则表达式写法
  27. // '^/fallback/.*': {
  28. // target: 'http://jsonplaceholder.typicode.com',
  29. // changeOrigin: true,
  30. // rewrite: (path) => path.replace(/^\/fallback/, '')
  31. // },
  32. // 使用 proxy 实例
  33. // '/api': {
  34. // target: 'http://jsonplaceholder.typicode.com',
  35. // changeOrigin: true,
  36. // configure: (proxy, options) => {
  37. // // proxy 是 'http-proxy' 的实例
  38. // },
  39. // }
  40. },
  41. hmr:{
  42. overlay: true // 屏蔽服务器报错
  43. }
  44. },
  45. resolve:{
  46. alias:{
  47. '@': path.resolve(__dirname,'./src')
  48. }
  49. },
  50. css:{
  51. // css预处理器
  52. preprocessorOptions: {
  53. // 引入 var.scss 这样就可以在全局中使用 var.scss中预定义的变量了
  54. // 给导入的路径最后加上 ;
  55. scss: {
  56. additionalData: '@import "@/assets/styles/global.scss";'
  57. },
  58. sass: {
  59. additionalData: '@import "@/assets/styles/global.scss";'
  60. }
  61. }
  62. },
  63. build:{
  64. chunkSizeWarningLimit: 1500, // 分块打包,分解块,将大块分解成更小的块
  65. rollupOptions: {
  66. output:{
  67. manualChunks(id) {
  68. if (id.includes('node_modules')) {
  69. return id.toString().split('node_modules/')[1].split('/')[0].toString();
  70. }
  71. }
  72. }
  73. }
  74. }
  75. })
  76. }

22.3 其他文件读取环境变量

  1. <template>
  2. 首页内容展示
  3. </template>
  4. <script setup lang="ts">
  5. import { onMounted } from 'vue';
  6. // 读取环境变量
  7. const mode = import.meta.env;
  8. onMounted(()=>{
  9. console.log(mode,555);
  10. })
  11. </script>

23、【补充】mixin混入模式

vue2.0中的Mixin 提供了一种非常灵活的方式,来分发 Vue 组件中的可复用功能。一个 mixin 对象可以包含任意组件选项。当组件使用 mixin 对象时,所有 mixin 对象的选项将被“混合”进入该组件本身的选项。

Mixin缺点温馨提示:

在 Vue 2 中,mixin 是将部分组件逻辑抽象成可重用块的主要工具。但是,他们有几个问题:

  • Mixin 很容易发生冲突:因为每个 mixin 的 property 都被合并到同一个组件中,所以为了避免 property 名冲突,你仍然需要了解其他每个特性。
  • 可重用性是有限的:我们不能向 mixin 传递任何参数来改变它的逻辑,这降低了它们在抽象逻辑方面的灵活性。

为了解决这些问题,我们添加了一种通过逻辑关注点组织代码的新方法:组合式 API

换言之: 在vue3.0里是不推荐使用mixin混入开发的,更加推荐使用组合式API,将页面操作数据的功能进行代码拆分,更好的发挥大型项目下共享和复用代码,在代码的可维护性和扩展性得以长存。

24、【补充】顶层的绑定会被暴露给模板

当使用 <script setup> 的时候,任何在 <script setup> 声明的顶层的绑定 (包括变量,函数声明,以及 import 引入的内容) 都能在模板中直接使用

  1. <script setup lang="ts">
  2. import { capitalize } from './helpers'
  3. // 变量
  4. const msg = 'Hello!'
  5. // 函数
  6. function log() {
  7. console.log(msg)
  8. }
  9. </script>
  10. <template>
  11. <div @click="log">{{ msg }}</div>
  12. <div>{{ capitalize('hello') }}</div>
  13. </template>

25、【补充】teleport传送门

teleport必须是有效的查询选择器或 HTMLElement (如果在浏览器环境中使用)。指定将在其中移动 <teleport> 内容的目标元素,disabled-boolean此可选属性可用于禁用 <teleport> 的功能,这意味着其插槽内容将不会移动到任何位置,而是在你在周围父组件中指定了 <teleport> 的位置渲染。

25.1 创建带传送门的组件

  1. <template>
  2. <teleport to=".teleport-one">
  3. <div>
  4. 我是Teleport内容
  5. </div>
  6. </teleport>
  7. </template>

25.2 teleport混合component使用

  1. <template>
  2. <div class="teleport-one">
  3. 传送门1
  4. </div>
  5. <div class="teleport-two">
  6. 传送门2
  7. </div>
  8. <TestTeleport></TestTeleport>
  9. </template>
  10. <script setup lang="ts">
  11. import TestTeleport from "@/components/test-teleport/index.vue";
  12. </script>

26、【补充】computed使用

refwatch 类似,也可以使用从 Vue 导入的 computed 函数在 Vue 组件外部创建计算属性。让我们回到 counter 的例子:

  1. import { ref, computed } from 'vue'
  2. const counter = ref(0)
  3. const twiceTheCounter = computed(() => counter.value * 2)
  4. counter.value++
  5. console.log(counter.value) // 1
  6. console.log(twiceTheCounter.value) // 2

注意:

接受一个 getter 函数,并根据 getter 的返回值返回一个不可变的响应式 ref 对象。

  1. // 不能这样使用
  2. twiceTheCounter.value++ //错误用法

Vite+Vue3+Setup+TypeScript布衣博客项目实战<二>

序言:

  1. 首先感谢各位前端朋友的支持和鼓励,你们的鼓励和理解是我前进路上的动力源泉。从本项目学到更多的是开发过程中的细节和注意事项。
  2. 为把七零八碎的基础知识点串联起来,有一个系统性的认识和了解setupvitetypescriptvue3,更加贴近网络应用项目,接近实际生活信息化研发需求,进一步从细节剖析各个技术知识点,布衣前端特此出品名为:《布衣博客》的web网页设计。目的是为了更好掌握Vite+Vue3+setup+TypeScript最新的web技术栈,熟练使用它们进行研发出属于自己的或者企业级的应用项目。本博客专门针对setup+ts进行开发,省略传统vue2api。没有vue2基础知识的朋友,建议看完vue3再来学习效果更佳。

温馨提示: 布衣博客项目是依赖于基础知识案例部分进行改造的,项目的创建和各个依赖的安装,不在赘述和重演,所以没有把基础知识学完的朋友,最好学完后在来浏览项目实战部分。

获取基础知识项目的渠道:

1、看完基础知识案例视频就有了,地址:https://www.bilibili.com/video/BV1QP4y1p748/

2、自己根据vite官网创建项目也可以,不过有些东西需要自己补充,地址:https://cn.vitejs.dev/guide/#scaffolding-your-first-vite-project

1、项目依赖升级

既然项目要玩最新的,依赖当然得更新到最新版

旧版本依赖:

  1. "dependencies": {
  2. "@element-plus/icons": "0.0.11",
  3. "element-plus": "^1.1.0-beta.12",
  4. "vue": "^3.2.11",
  5. "vue-router": "^4.0.11",
  6. "vuex": "^4.0.2"
  7. },
  8. "devDependencies": {
  9. "@types/node": "^16.9.2",
  10. "@vitejs/plugin-vue": "^1.6.0",
  11. "@vue/compiler-sfc": "^3.2.6",
  12. "node-sass": "^6.0.1",
  13. "sass": "^1.41.1",
  14. "sass-loader": "^12.1.0",
  15. "typescript": "^4.3.2",
  16. "vite": "^2.5.2",
  17. "vue-tsc": "^0.2.2"
  18. }

新版本依赖:

  1. "dependencies": {
  2. "@element-plus/icons": "0.0.11",
  3. "element-plus": "^1.2.0-beta.2", // 原版本1.1.0-beta.12
  4. "vue": "^3.2.21", // 原版本3.2.11
  5. "vue-router": "^4.0.12",
  6. "vuex": "^4.0.2"
  7. },
  8. "devDependencies": {
  9. "@types/node": "^16.9.2",
  10. "@vitejs/plugin-vue": "^1.6.0",
  11. "@vue/compiler-sfc": "^3.2.6",
  12. "node-sass": "^6.0.1",
  13. "sass": "^1.41.1",
  14. "sass-loader": "^12.1.0",
  15. "typescript": "^4.3.2",
  16. "vite": "^2.6.13", // 原版本2.5.2
  17. "vue-tsc": "^0.28.10" //原版本0.2.2
  18. }

2、创建顶部菜单组件

2.1 在组件文件夹layout目录下新建menu文件夹,然后新建menu-bar.vue,完整内容如下。

  1. <template>
  2. <el-menu
  3. :default-active="activeIndex2"
  4. class="el-menu-demo"
  5. mode="horizontal"
  6. background-color="#545c64"
  7. text-color="#fff"
  8. active-text-color="#ffd04b"
  9. @select="handleSelect"
  10. >
  11. <template v-for="(item, index) in menuList" :key="item.path">
  12. <template v-if="!item.children">
  13. <el-menu-item :index="item.meta?.index" @click="handleRoute(item)">{{item.meta?.title}}</el-menu-item>
  14. </template>
  15. <template v-else>
  16. <el-sub-menu :index="item.meta?.index" :popper-append-to-body="false">
  17. <template #title>{{item.meta?.title}}</template>
  18. <el-menu-item :index="childItem.meta?.index" v-for="(childItem, subIndex) in item.children" :key="childItem.path" @click="handleRoute(childItem)">{{childItem.meta?.title}}</el-menu-item>
  19. </el-sub-menu>
  20. </template>
  21. </template>
  22. </el-menu>
  23. </template>
  24. <script lang="ts" setup>
  25. import {ref, computed} from 'vue';
  26. import {useRoute, useRouter} from "vue-router";
  27. import { mapState } from 'vuex';
  28. import { useStore } from '@/store';
  29. const store = useStore()
  30. const router = useRouter()
  31. // 定义变量
  32. const activeIndex2 = computed(mapState(['currentMenu']).currentMenu.bind({ $store: store })) || ref<string>('1')
  33. // 获取菜单路由
  34. const menuList = router.options.routes[0].children;
  35. // 定义事件
  36. // 点击菜单事件
  37. const handleSelect =(key:string, keyPath:string)=>{
  38. console.log(key, keyPath)
  39. store.commit('SET_CURRENT_MENU', key)
  40. }
  41. // 跳转关于页面
  42. const handleRoute = (route:any) => {
  43. router.push(route.path)
  44. }
  45. </script>
  46. <style lang="scss">
  47. @import "./style.scss";
  48. </style>

2.2 在同级menu文件夹下新建style.scss,内容如下:

2.3 在header.vue引入menu-bar.vue

  1. <template>
  2. <menu-bar></menu-bar>
  3. </template>
  4. <script setup lang="ts">
  5. import MenuBar from '@/components/layout/menu/menu-bar.vue';
  6. </script>
  7. <style lang="scss" scoped>
  8. </style>

2.4 在assets目录里的styles目录下新增body.scss文件,内容如下

  1. body{
  2. font-family: Avenir, Helvetica, Arial, sans-serif;
  3. -webkit-font-smoothing: antialiased;
  4. -moz-osx-font-smoothing: grayscale;
  5. color: #2c3e50;
  6. width: 100%;
  7. margin: 0;
  8. padding: 0;
  9. background-color: #ececec;
  10. }

然后在layout.scss内部导入

  1. @import "./body.scss";

3、修复选中菜单刷新丢失问题

这里采用store状态管理的持久化解决,在index.ts里面新增currentMenu属性

  1. import { InjectionKey } from 'vue';
  2. import { useStore as baseUseStore, createStore, Store} from 'vuex';
  3. interface State{
  4. username: string,
  5. currentMenu: string // 当前菜单
  6. }
  7. export const key: InjectionKey<Store<State>> = Symbol();
  8. export const store = createStore<State>({
  9. state:{
  10. username: '张三',
  11. currentMenu: localStorage.getItem('currentMenu') || '1'
  12. },
  13. getters:{
  14. getName: (state:State)=>{
  15. return state.username
  16. },
  17. getCurrentMenu: (state:State) =>{
  18. return state.currentMenu || localStorage.getItem('currentMenu')
  19. }
  20. },
  21. mutations:{
  22. SET_USERNAME(state:State, username: string){
  23. state.username = username;
  24. },
  25. SET_CURRENT_MENU(state:State, params: string){
  26. localStorage.setItem('currentMenu', params)
  27. state.currentMenu = params
  28. }
  29. },
  30. actions:{}
  31. })
  32. export function useStore () {
  33. return baseUseStore(key)
  34. }

注意:在引用@/store目录报错找不到时,请更换项目typeconfig.json文件内容如下

  1. {
  2. "compilerOptions": {
  3. "target": "esnext", // 目标语言的版本
  4. "module": "esnext", // 指定生成代码的模板标准
  5. "moduleResolution": "node", // node模块解析
  6. "strict": true, // 启用严格模式
  7. "jsx": "preserve", // jsx模板解析
  8. "noImplicitAny": true, // 不允许隐式的 any 类型
  9. "removeComments": true, // 删除注释
  10. "sourceMap": true, // 生成目标文件的sourceMap文件
  11. "strictNullChecks": true, // 不允许把nullundefined赋值给其他类型的变量
  12. "resolveJsonModule": true, // 允许导入.json文件
  13. "esModuleInterop": true, // 允许导入额外的ts文件支持
  14. "suppressImplicitAnyIndexErrors": true, // 允许字符串下标表达式
  15. "lib": ["esnext", "dom"],
  16. "baseUrl": ".", // 解析非相对模块的基地址,默认是当前目录, 防止引入文件报错
  17. "paths": { // 路径映射,相对于baseUrl
  18. "@/*":["src/*"]
  19. },
  20. "skipLibCheck":true // 所有的声明文件(*.d.ts)的类型检查, 解决:打包不报错
  21. },
  22. // 指定一个匹配列表(属于自动指定该路径下的所有ts相关文件)
  23. "include": ["src/**/*.ts", "src/**/*.d.ts", "src/**/*.tsx", "src/**/*.vue"]
  24. }

4、router.ts的RouteRecordRaw类型校验

为了规范化typescript开发,增加路由对象类型限制,好处:允许在基础路由里面增加开发者自定义属性

  1. import { createRouter, createWebHashHistory, RouteRecordRaw } from 'vue-router';
  2. import LayOut from '@/components/layout/index.vue';
  3. const routes:Array<RouteRecordRaw> = [
  4. {
  5. path: "/",
  6. component: LayOut,
  7. redirect: "/home",
  8. hidden: true,
  9. children:[
  10. {
  11. path: "/home",
  12. name: "home",
  13. hidden: false,
  14. meta:{
  15. title: '首页',
  16. index: '1'
  17. },
  18. component:()=> import("@/pages/home/index.vue")
  19. },
  20. {
  21. path: "/about",
  22. name: "about",
  23. meta:{
  24. title: '关于',
  25. index: '2'
  26. },
  27. component:()=> import("@/pages/about/index.vue")
  28. }
  29. ]
  30. }
  31. ]
  32. const router = createRouter({
  33. // 指定路由模式
  34. history: createWebHashHistory(),
  35. // 路由地址
  36. routes
  37. })
  38. export default router;

注意:在给路由对象新增类型后,在每个路由对象里新增hidden或者其他属性会报错,解决办法:在src目录下新增一个路由声明文件,扩展基础路由对象属性。

vue-router.d.ts,内容如下:

  1. import { _RouteRecordBase } from 'vue-router';
  2. declare module 'vue-router'{
  3. interface _RouteRecordBase{
  4. hidden?: boolean | string | number
  5. }
  6. }

5、通过beforeEach修改浏览器标题

解决方法:main.ts文件中的router.beforeEach方法里设置即可。

  1. router.beforeEach((to, from, next) =>{
  2. // 设置浏览器标题
  3. if(to.meta.title){
  4. document.title = String(to.meta.title)
  5. }else {
  6. document.title = "布衣博客"
  7. }
  8. // console.log(to, from, router);
  9. next()
  10. })

注意:router.beforeEach使用时,必须加next()方法,否则路由不会进行跳转和更新。

6、路由导航出错处理

在实际项目开发中,经常遇到路由导航报错或者找不到问题,那么处理这个问题就变得很有必要。解决方法就是在main.ts文件中的router.beforeEach方法里判断即可。

  1. import { createApp } from 'vue'
  2. import App from './App.vue'
  3. import { store, key } from './store';
  4. // 注入路由
  5. import router from './router';
  6. // 注入ui组件库
  7. import ElementPlus,{ElNotification} from 'element-plus'
  8. import 'element-plus/dist/index.css'
  9. import { Edit, Camera } from '@element-plus/icons'
  10. const app = createApp(App);
  11. app.component('edit', Edit);
  12. app.component('camera', Camera);
  13. app.use(ElementPlus);
  14. app.use(store, key);
  15. app.use(router);
  16. app.mount('#app');
  17. router.beforeEach((to, from, next) =>{
  18. // 设置浏览器标题
  19. if(to.meta.title){
  20. document.title = String(to.meta.title)
  21. }else {
  22. document.title = "布衣博客"
  23. }

7、用nprogress设置路由加载进度条

我们在打开用vue写的项目时,经常看到顶部有一个页面加载进度条,其实这里是根据路由匹配速度进行设置的进度条,目的增加用户浏览项目体验,这里用的插件是: nprogress,需要在main.ts文件中的router.beforeEach方法里配置即可。

7.1 安装 nprogress:

  1. npm install --save nprogress

7.2 封装nprogress:

  1. // 引入进度条
  2. import NProgress from 'nprogress';
  3. import 'nprogress/nprogress.css';
  4. //全局进度条的配置
  5. NProgress.configure({
  6. easing: 'ease', // 动画方式
  7. speed: 1000, // 递增进度条的速度
  8. showSpinner: false, // 是否显示加载ico
  9. trickleSpeed: 200, // 自动递增间隔
  10. minimum: 0.3 // 初始化时的最小百分比
  11. })
  12. // 打开进度条
  13. export const start = ()=>{
  14. NProgress.start()
  15. }
  16. // 关闭进度条
  17. export const close = ()=>{
  18. NProgress.done()
  19. }

注意:导入nprogress时如果报错,请在env.d.ts文件增加nprogress模块声明或者在src下新建nprogress.d.ts声明文件即可

不管那种方式,内容都是如下:

  1. // 申明进度条依赖模块
  2. declare module 'nprogress';

7.3 使用工具nprogress

需要在main.ts文件中的router.beforeEach方法里配置即可。

8、响应式设计顶部菜单栏

8.1 通用全局样式common.scss, 需要注入global.scss

  1. * {
  2. -moz-box-sizing: border-box;
  3. box-sizing: border-box;
  4. }
  5. ul,
  6. li {
  7. list-style: none;
  8. }
  9. html,
  10. body,
  11. div,
  12. span,
  13. object,
  14. iframe,
  15. h1,
  16. h2,
  17. h3,
  18. h4,
  19. h5,
  20. h6,
  21. p,
  22. blockquote,
  23. pre,
  24. abbr,
  25. address,
  26. cite,
  27. code,
  28. del,
  29. dfn,
  30. em,
  31. img,
  32. ins,
  33. kbd,
  34. q,
  35. samp,
  36. small,
  37. strong,
  38. sub,
  39. sup,
  40. var,
  41. b,
  42. i,
  43. dl,
  44. dt,
  45. dd,
  46. ol,
  47. ul,
  48. li,
  49. fieldset,
  50. form,
  51. label,
  52. legend,
  53. table,
  54. caption,
  55. // tbody,
  56. // tfoot,
  57. // thead,
  58. // tr,
  59. // th,
  60. // td,
  61. article,
  62. aside,
  63. canvas,
  64. details,
  65. figcaption,
  66. figure,
  67. footer,
  68. header,
  69. hgroup,
  70. menu,
  71. nav,
  72. section,
  73. summary,
  74. time,
  75. mark,
  76. audio,
  77. video {
  78. margin: 0;
  79. padding: 0;
  80. // border: 0;
  81. outline: 0;
  82. list-style: none;
  83. vertical-align: baseline;
  84. // background: transparent;
  85. font-size: 100%;
  86. font-weight: normal;
  87. }
  88. .layout-sider-bar{
  89. &::-webkit-scrollbar {
  90. display:none;
  91. }
  92. /* IE内核 */
  93. -ms-scroll-chaining: chained;
  94. -ms-overflow-style: none;
  95. -ms-content-zooming: zoom;
  96. -ms-scroll-rails: none;
  97. -ms-content-zoom-limit-min: 100%;
  98. -ms-content-zoom-limit-max: 500%;
  99. -ms-scroll-snap-type: proximity;
  100. -ms-scroll-snap-points-x: snapList(100%, 200%, 300%, 400%, 500%);
  101. -ms-overflow-style: none;
  102. }
  103. ::-webkit-scrollbar {
  104. width: 6px;
  105. height: 12px;
  106. background:#F7F7F7;
  107. }
  108. ::-webkit-scrollbar-thumb {
  109. background-color: #ccc;
  110. }

8.2 新增全局布局样式文件layout.scss,需要注入global.scss文件

注意:设置position: fixed;元素固定定位后,会脱离文档流,高度会失效,解决办法,增加父级固定高度。

  1. .set-common-head-fixed-container{
  2. height:90px;// 预留菜单总高度,后期可能修改
  3. }
  4. // .common-head-fixed-container{
  5. // position: fixed;
  6. // top: 0px;
  7. // left: 0px;
  8. // width: 100%;
  9. // z-index: 9;
  10. // }
  11. // 头部菜单做媒体查询,适应所有屏幕大小,自定义宽度和样式变化
  12. // 1、超小屏幕下,小于768px 布局容器的宽度为100%
  13. @media screen and (max-width:767px){
  14. .show-pc{
  15. display: none;
  16. }
  17. .show-mobile{
  18. display: block;
  19. background-color: red;
  20. }
  21. }
  22. // 2、小屏幕下,大于等于768px 布局容器改为750px
  23. @media screen and (min-width: 750px){
  24. .show-pc{
  25. display: none;
  26. }
  27. .show-mobile{
  28. display: block;
  29. background-color: red;
  30. }
  31. }
  32. // 3、中等屏幕下, 大于等于992px 布局容器改为970
  33. @media screen and (min-width:992px){
  34. .show-pc{
  35. display: block;
  36. background-color: orange;
  37. }
  38. .show-mobile{
  39. display: none;
  40. }
  41. }
  42. // 4、大屏幕下,大于等于1200px, 布局容器改为1170px
  43. @media screen and (min-width: 1200px){
  44. .show-pc{
  45. display: block;
  46. background-color: yellow;
  47. }
  48. .show-mobile{
  49. display: none;
  50. }
  51. }

8.3 在布局组件header的vue文件内

  1. <template>
  2. <div class="set-common-head-fixed-container">
  3. <el-row class="common-head-fixed-container">
  4. <el-col :span="24" class="show-pc">
  5. <menu-bar></menu-bar>
  6. </el-col>
  7. <el-col :span="24" class="show-mobile">
  8. mobile
  9. </el-col>
  10. </el-row>
  11. </div>
  12. </template>

9、新增logo到顶部菜单栏

这个logo大家自行设计,实际上线项目不要用我的logo就行。

  1. <template>
  2. <div class="nav-menu-wrapper">
  3. <div class="el-menu el-menu--horizontal search-box">
  4. <img class="set-img" src="@/assets/white-logo.png" alt="图片" title="欢迎来到布衣博客">
  5. </div>
  6. <el-menu
  7. :default-active="activeIndex2"
  8. class="menu-box"
  9. mode="horizontal"
  10. background-color="#2c3e50"
  11. text-color="#fff"
  12. active-text-color="#ffd04b"
  13. @select="handleSelect"
  14. >
  15. <template v-for="(item, index) in menuList" :key="item.path">
  16. <template v-if="!item.children">
  17. <el-menu-item :index="item.meta?.index" @click="handleRoute(item)">{{item.meta?.title}}</el-menu-item>
  18. </template>
  19. <template v-else>
  20. <el-sub-menu :index="item.meta?.index">
  21. <template #title>{{item.meta?.title}}</template>
  22. <el-menu-item :index="subItem.meta?.index" v-for="(subItem, index) in item.children" :key="subItem.path" @click="handleRoute(subItem)">{{subItem.meta?.title}}</el-menu-item>
  23. </el-sub-menu>
  24. </template>
  25. </template>
  26. </el-menu>
  27. </div>
  28. </template>
  29. <style lang="scss">
  30. .nav-menu-wrapper{
  31. display: flex;
  32. justify-content: space-between;
  33. align-items: center;
  34. .menu-box{
  35. flex: 1;
  36. }
  37. .search-box{
  38. color: #fff;
  39. background-color: #2c3e50;
  40. padding: 0 7px 0 6px;
  41. .set-img{
  42. width: 200px;
  43. height: 60px;
  44. }
  45. }
  46. }
  47. </style>

10、设计小屏幕下的导航栏

10.1 在header/index.vue进行小屏幕下也设计

  1. <template>
  2. <div class="set-common-head-fixed-container">
  3. <el-row class="common-head-fixed-container">
  4. <el-col :span="24" class="show-pc">
  5. <menu-bar></menu-bar>
  6. </el-col>
  7. <el-col :span="24" class="show-mobile">
  8. <el-icon class="same-cell" :size="30"><expand @click="handleOpenMenu"/></el-icon>
  9. </el-col>
  10. </el-row>
  11. </div>
  12. <el-drawer
  13. v-model="drawer"
  14. :direction="'rtl'"
  15. :before-close="handleClose"
  16. :withHeader="false"
  17. :size="290"
  18. >
  19. <menu-bar :directionType="'vertical'" :showLogo="false" :showSearch="false"></menu-bar>
  20. </el-drawer>
  21. </template>
  22. <script setup lang="ts">
  23. import { ref } from "vue";
  24. import { useRouter } from 'vue-router';
  25. import MenuBar from '@/components/layout/menu/MenuBar.vue';
  26. import {Expand} from "@element-plus/icons";
  27. // router === $router(vue2.0)
  28. const router = useRouter()
  29. // 菜单弹窗
  30. const drawer = ref<boolean>(false)
  31. const handleClose = (done:any) => {
  32. done()
  33. }
  34. // 打开菜单事件
  35. const handleOpenMenu =()=>{
  36. drawer.value = !drawer.value
  37. }
  38. </script>
  39. <style lang="scss" >
  40. </style>

注意:使用媒体查询后,样式名称不能又写在页面样式中,否则媒体查询效果失败,需要在全局layout.scss文件中进行修改

  1. // 设置小屏幕下基础样式
  2. .show-mobile{
  3. display: flex !important;
  4. justify-content: flex-start;
  5. padding: 0 5px;
  6. background-color: #2c3e50;
  7. .same-cell{
  8. color: #fff;
  9. }
  10. }

注意:如果用icon图标大小不生效,可能是其他样式影响的,需要设置全局字体大小来解决,在common.scss

10.2 改造后的菜单MenuBar.vue组件

  1. <template>
  2. <div class="nav-menu-wrapper">
  3. <div v-if="showLogo" class="el-menu el-menu--horizontal logo-box">
  4. <img class="set-img" src="@/assets/gold-logo.png" alt="图片" title="欢迎来到布衣博客">
  5. </div>
  6. <el-menu
  7. :default-active="activeIndex2"
  8. class="menu-box"
  9. :mode="directionType"
  10. background-color="#2c3e50"
  11. text-color="#fff"
  12. active-text-color="#ffd04b"
  13. @select="handleSelect"
  14. >
  15. <template v-for="(item, index) in menuList" :key="item.path">
  16. <template v-if="!item.children">
  17. <el-menu-item :index="item.meta?.index" @click="handleRoute(item)">{{item.meta?.title}}</el-menu-item>
  18. </template>
  19. <template v-else>
  20. <el-sub-menu :index="item.meta?.index">
  21. <template #title>{{item.meta?.title}}</template>
  22. <el-menu-item :index="subItem.meta?.index" v-for="(subItem, index) in item.children" :key="subItem.path" @click="handleRoute(subItem)">{{subItem.meta?.title}}</el-menu-item>
  23. </el-sub-menu>
  24. </template>
  25. </template>
  26. </el-menu>
  27. </div>
  28. </template>
  29. <script lang="ts" setup>
  30. import { ref, computed } from "vue";
  31. import { useRouter } from "vue-router";
  32. import { useStore } from "@/store";
  33. import { mapState } from "vuex";
  34. const router = useRouter();
  35. const store = useStore();
  36. interface Props {
  37. showLogo?: boolean,
  38. showSearch?: boolean,
  39. directionType?: string // 方向类型,垂直和水平, 默认水平
  40. }
  41. withDefaults(defineProps<Props>(), {
  42. directionType: 'horizontal',
  43. showLogo: true,
  44. showSearch: true
  45. })
  46. // const activeIndex2 = store.getters.getCurrentMenu||ref<string>('1')
  47. const activeIndex2 = computed(mapState(['currentMenu']).currentMenu.bind({ $store: store }))||ref<string>('1')
  48. const menuList = router.options.routes[0].children
  49. const handleSelect = (key:string, keyPath:string) => {
  50. // console.log(key, keyPath)
  51. store.commit('SET_CURRENT_MENU', key);
  52. }
  53. const handleRoute = (item:any)=>{
  54. router.push(item.path)
  55. }
  56. </script>
  57. <style lang="scss">
  58. @import "./style.scss";
  59. </style>

11、main.ts中批量注入@element-plus/icons图标

  1. import * as ElIcons from '@element-plus/icons';
  2. const app = createApp(App);
  3. Object.keys(ElIcons).forEach(key =>{
  4. app.component(key, ElIcons[key]);
  5. })

注意:这里的as是另起别名的意思,怕组件名称冲突

12、增加登录,注册按钮到顶部导航栏

在菜单MenuBar.vue组件内进行新增

  1. // vue
  2. <div class="el-menu el-menu--horizontal combine-btn-box">
  3. <span class="child-item">登录</span>
  4. <span class="child-item">注册</span>
  5. </div>
  6. // ts
  7. <script lang="ts" setup>
  8. import { ref, computed } from "vue";
  9. </script>
  10. <style lang="scss">
  11. .combine-search-box{
  12. color: #fff;
  13. background-color: #2c3e50;
  14. height: 61px;
  15. line-height: 61px;
  16. .child-item{
  17. padding: 0 5px;
  18. cursor: pointer;
  19. &:hover{
  20. color: #ffd04b;
  21. }
  22. }
  23. }
  24. </style>

13、Breadcrumb面包屑显示当前路由位置

13、1在layout文件夹下新增bread-crumb文件夹,新增index.vue,内容如下:

  1. <template>
  2. <el-row>
  3. <el-col :span="16" class="bread-list">
  4. <p>当前位置:</p>
  5. <el-breadcrumb separator="/">
  6. <!-- <el-breadcrumb-item :to="{ path: '/' }">homepage</el-breadcrumb-item> -->
  7. <el-breadcrumb-item v-for="(item, index) in breads" :key="index" :to="item.path">{{item.meta.title}}</el-breadcrumb-item>
  8. </el-breadcrumb>
  9. </el-col>
  10. <el-col :span="8" class="bread-list">
  11. <el-icon>
  12. <wind-power />
  13. </el-icon>消息展示
  14. </el-col>
  15. </el-row>
  16. </template>
  17. <script lang="ts" setup>
  18. import {ref, Ref, watch } from 'vue';
  19. import {useRoute, RouteLocationMatched } from 'vue-router';
  20. const route = useRoute()
  21. // Ref接口限制类型
  22. const breads:Ref<RouteLocationMatched[]> = ref([])
  23. const getBreadList = ()=>{
  24. let list = route.matched.filter(e => e.meta&&e.meta.title)
  25. // 判断首页
  26. const one = list[0]
  27. if(one.path !== '/home'){
  28. let arr = [{path: '/home', meta:{title: '首页'}} as any]
  29. list = [...arr, ...list]
  30. }
  31. // 赋值面包屑
  32. breads.value = list
  33. }
  34. getBreadList()
  35. watch(()=>route.path, ()=>{
  36. getBreadList()
  37. })
  38. </script>
  39. <style lang="scss">
  40. .bread-list{
  41. display: flex;
  42. align-items: center;
  43. padding: 4px;
  44. }
  45. </style>

13、2 在header/index.vue里面使用面包屑

注意:如果导航节点是父节点,路由是不会跳转,需要设置父节点默认路由即可

举个例子:

  1. {
  2. path: "/program",
  3. name: "program",
  4. redirect: "/program/front",
  5. meta:{
  6. title: '编程相关',
  7. index: '2'
  8. },
  9. component:()=> import("@/pages/program/index.vue"),
  10. children:[
  11. {
  12. path: "/program/front",
  13. name: "program-front",
  14. meta:{
  15. title: '前端编程',
  16. index: '2-1'
  17. },
  18. component:()=> import("@/pages/program/front/index.vue")
  19. },
  20. {
  21. path: "/program/applet",
  22. name: "program-applet",
  23. meta:{
  24. title: '微信小程序',
  25. index: '2-3'
  26. },
  27. component:()=> import("@/pages/program/applet/index.vue")
  28. },
  29. ]
  30. },

14、测试面包屑导肮是否正确

14、1 准备两个页面,放到pages/program文件夹下behind和front

在program文件夹下新增index.vue路由二级出口,内容如下

  1. <template>
  2. <router-view></router-view>
  3. </template>
  4. <script setup lang="ts">
  5. </script>
  6. <style lang="scss">
  7. </style>

// 前端页面vue放front文件夹里

  1. <template>
  2. <div class="common-layout-container">前端</div>
  3. </template>
  4. <script setup lang="ts">
  5. </script>
  6. <style lang="scss" scoped>
  7. </style>

// 后端页面vue 放behind文件夹里

  1. <template>
  2. <div class="common-layout-container">后端</div>
  3. </template>
  4. <script setup lang="ts">
  5. </script>
  6. <style lang="scss" scoped>
  7. </style>

14、2 新增program文件的路由在router.ts

  1. {
  2. path: "/program",
  3. name: "program",
  4. redirect: "/program/front",
  5. meta:{
  6. title: '编程相关',
  7. index: '2'
  8. },
  9. component:()=> import("@/pages/program/index.vue"),
  10. children:[
  11. {
  12. path: "/program/front",
  13. name: "program-front",
  14. meta:{
  15. title: '前端编程',
  16. index: '2-1'
  17. },
  18. component:()=> import("@/pages/program/front/index.vue")
  19. },
  20. {
  21. path: "/program/behind",
  22. name: "program-behind",
  23. meta:{
  24. title: '后端',
  25. index: '2-3'
  26. },
  27. component:()=> import("@/pages/program/behind/index.vue")
  28. },
  29. ]
  30. },

15、解决关于父菜单箭头错位问题

解决方案:降低element-plust版本

  1. // 之前的版本,菜单箭头错位
  2. "element-plus": "^1.2.0-beta.2"
  3. // 降低的版本,稳定版本
  4. "element-plus": "^1.1.0-beta.20"

16、设计轮播图组件

准备工作:

  • 注释掉App.vue文件的样式
  • 在layout.scss新增通用盒子样式,所有页面父元素基于它
  1. // 设置全局通用盒子基础样式
  2. .common-layout-container{
  3. padding: 0px 10px 5px;
  4. }

1、新增组件, carousels/index.vue, 内容如下

  1. <template>
  2. <el-carousel indicator-position="outside" class="carousels-box">
  3. <el-carousel-item v-for="item in carousels" :key="item">
  4. <img :src="item" :alt="item" class="set-el-img">
  5. </el-carousel-item>
  6. </el-carousel>
  7. </template>
  8. <script lang='ts' setup>
  9. import {ref, reactive} from 'vue';
  10. // 定义跑马灯效果图
  11. const carousels = reactive([
  12. 'https://t7.baidu.com/it/u=3569419905,626536365&fm=193&f=GIF',
  13. 'https://t7.baidu.com/it/u=1285847167,3193778276&fm=193&f=GIF',
  14. 'https://t7.baidu.com/it/u=4162611394,4275913936&fm=193&f=GIF',
  15. 'https://t7.baidu.com/it/u=3655946603,4193416998&fm=193&f=GIF'
  16. ])
  17. </script>
  18. <style lang="scss" scoped>
  19. .carousels-box{
  20. .set-el-img{
  21. width: 100%;
  22. height: 100%;
  23. }
  24. }
  25. </style>

17、设计文章组件

1、新增组件,article-item/index.vue, 内容如下

  1. <template>
  2. <div class="container-item">
  3. <span class="span-label"></span>
  4. <div class="item-info">
  5. <div class="img-left">
  6. <img src="https://t7.baidu.com/it/u=3655946603,4193416998&fm=193&f=GIF" alt="pic">
  7. </div>
  8. <div class="resume-right">
  9. <h3 class="resume-title" @click="goToInfo">vue的mixins模块使用,提高组件函数和数据的复用 vue的mixins模块使用,提高组件函数和数据的复用</h3>
  10. <div class="resume-detail">mixins:被执行的顺序:优先执行引用它的页面同名方法,然后在执行引用页面的方法</div>
  11. </div>
  12. </div>
  13. <div class="node-list-btn">
  14. <span>作者:布衣前端</span>
  15. <span>时间:2021-10-20</span>
  16. <span>浏览:1555(次)</span>
  17. <span>评论:87(条)</span>
  18. <vxe-button icon="fa fa-eye" status="success" @click="goToInfo">阅读全文</vxe-button>
  19. </div>
  20. </div>
  21. </template>
  22. <script lang="ts" setup>
  23. import { useRouter } from "vue-router";
  24. const router = useRouter()
  25. const goToInfo = ()=>{
  26. router.push('/article/info')
  27. }
  28. </script>
  29. <style lang="scss" scoped>
  30. .container-item{
  31. background-color: #fff;
  32. padding: 15px 15px 8px 15px;
  33. margin: 0 0 10px;
  34. border-radius: 4px;
  35. position: relative;
  36. .span-label{
  37. display: block;
  38. width: 7px;
  39. height: 40px;
  40. position: absolute;
  41. left: 0px;
  42. top: 15px;
  43. background-color: #017E66;
  44. }
  45. .item-info{
  46. // min-height: 170px;
  47. display: flex;
  48. .img-left{
  49. flex: 0 0 150px;
  50. width: 150px;
  51. height: 94px;
  52. border-radius: 4px;
  53. margin: 1px 20px 0 0;
  54. overflow: hidden;
  55. @include globalTransition();
  56. &:hover{
  57. height: 105px;
  58. }
  59. img{
  60. width: 100%;
  61. height: 100%;
  62. @include globalTransition();
  63. &:hover{
  64. transform: scale(2);
  65. }
  66. }
  67. }
  68. .resume-right{
  69. line-height: 1;
  70. // 文章标题省略号
  71. .resume-title{
  72. line-height: 20px;
  73. padding: 0px !important;
  74. margin: 0 0 5px 0;
  75. @include muit-ellipsis(2);
  76. @include common-title(left);
  77. overflow: hidden;
  78. &:hover{
  79. color: $text-color-main;
  80. cursor: pointer;
  81. }
  82. }
  83. .resume-detail{
  84. @include muit-ellipsis(3)
  85. }
  86. }
  87. }
  88. .node-list-btn{
  89. display: flex;
  90. justify-content: flex-end;
  91. align-items: center;
  92. flex-wrap: wrap;
  93. span{
  94. padding: 0 10px;
  95. font-size: 14px;
  96. }
  97. }
  98. }
  99. </style>

2、新增 styles/mixins.scss, 专门放置项目通用样式和函数样式

  1. // 全局通用函数
  2. @mixin common-title($center: center){
  3. font-weight: bold;
  4. text-align: $center;
  5. padding: 5px 0px;
  6. }
  7. /* 单行超出隐藏 */
  8. @mixin ellipsis() {
  9. word-wrap: break-word;
  10. word-break: break-all;
  11. white-space: nowrap;
  12. overflow: hidden;
  13. text-overflow: ellipsis;
  14. }
  15. /* 多行超出隐藏 */
  16. @mixin muit-ellipsis($line) {
  17. word-break: break-all;
  18. overflow: hidden;
  19. text-overflow: ellipsis;
  20. display: -webkit-box;
  21. -webkit-line-clamp: $line;
  22. -webkit-box-orient: vertical;
  23. }
  24. @mixin globalTransition( $time:0.3s) {
  25. @if $time==0.3s {
  26. -ms-transition: all 0.3s ease-in; /* IE 9 */
  27. -webkit-transition: all 0.3s ease-in; /* Safari 和 Chrome */
  28. -moz-transition: all 0.3s ease-in; /* Firefox */
  29. -o-transition: all 0.3s ease-in; /* Opera */
  30. transition: all 0.3s ease-in;
  31. }@else{
  32. -ms-transition: all $time ease-in; /* IE 9 */
  33. -webkit-transition: all $time ease-in; /* Safari 和 Chrome */
  34. -moz-transition: all $time ease-in; /* Firefox */
  35. -o-transition: all $time ease-in; /* Opera */
  36. transition: all $time ease-in;
  37. }
  38. }

19、设计博主信息组件

1、新增组件author-info/index.vue, 内容如下

  1. <template>
  2. <div class="author-info">
  3. <h2 class="author">布衣博客</h2>
  4. <el-divider></el-divider>
  5. <div class="info-item">
  6. <p>作者:布衣前端</p>
  7. <p>QQ:1766226354</p>
  8. <p>地址:贵州贵阳</p>
  9. <p>项目描述:布衣前端</p>
  10. <p>座右铭:不积硅步无以至千里,不积小流无以成江海</p>
  11. <p>承接:个人网站,网页设计,web外包,App制作,系统研发等</p>
  12. <p class="label-item">作品信息</p>
  13. </div>
  14. </div>
  15. </template>
  16. <style lang="scss" scoped>
  17. .author-info{
  18. background-color: $bg-color;
  19. width: 100%;
  20. margin-bottom: 15px;
  21. padding: 10px 12px;
  22. border-radius: 8px;
  23. .author,.info-item{
  24. box-sizing: border-box;
  25. }
  26. .author{
  27. color: $text-color-main;
  28. @include common-title();
  29. }
  30. .info-item{
  31. // display: flex;
  32. // flex-wrap: wrap;
  33. padding: 4px;
  34. overflow: hidden;
  35. position: relative;
  36. p{
  37. padding: 4px;
  38. }
  39. .label-item{
  40. color: #fff;
  41. font-size: 12px;
  42. background-color: $label-color;
  43. min-width: 120px;
  44. text-align: center;
  45. transform: rotate(50deg);
  46. -ms-transform:rotate(50deg); /* IE 9 */
  47. -moz-transform:rotate(50deg); /* Firefox */
  48. -webkit-transform:rotate(50deg); /* Safari 和 Chrome */
  49. -o-transform:rotate(50deg); /* Opera */
  50. position: absolute;
  51. right: -31px;
  52. top: 27px;
  53. }
  54. }
  55. }
  56. </style>

20,设计版权信息组件

新增组件copyright-info/index.vue,内容如下

  1. <template>
  2. <div class="website-footer">
  3. <h2 class="title">布衣前端版权所有,违者必究</h2>
  4. <el-divider></el-divider>
  5. <div class="info-item">
  6. <p>Copyright www.everbest.site | Powered by 布衣前端 © 2021</p>
  7. </div>
  8. </div>
  9. </template>
  10. <style lang="scss" scoped>
  11. .website-footer{
  12. background-color: $bg-color;
  13. width: 100%;
  14. margin-bottom: 15px;
  15. padding: 10px 12px;
  16. .title{
  17. color: $text-color-main;
  18. @include common-title();
  19. }
  20. .title,.info-item{
  21. box-sizing: border-box;
  22. }
  23. .info-item{
  24. padding: 4px;
  25. overflow: hidden;
  26. text-align: center;
  27. }
  28. }
  29. </style>