vue3学习笔记之router(router4 + ts)

news2024/11/16 18:52:32

文章目录

    • Vue Router
      • 1. 基本使用
        • router-view
      • 2. 路由跳转
        • 2.1 router-link
        • 2.2 编程式导航
        • 2.3 replace
      • 3. 路由传参
      • 4. 嵌套路由
      • 5. 命令视图
      • 6. 重定向和别名
        • 6.1 重定向
        • 6.2 别名
      • 7. 路由守卫
        • 7.1 全局前置守卫
        • 7.2 全局后置守卫
          • 案例:加载滚动条
      • 8. 路由元信息
      • 9. 路由过渡动效
      • 10. 滚动行为
      • 11. 动态路由
        • 11.1 添加路由
        • 11.2 添加嵌套路由
        • 11.3 删除路由
        • 11.4 查看现有路由

Vue Router

Vue Router 官方文档

安装

# npm
npm install vue-router@4
# yarn
yarn add vue-router@4

1. 基本使用

//引入路由对象
import { createRouter, createWebHistory, RouteRecordRaw } from 'vue-router'
 
// 路由类型 RouteRecordRaw
// 定义一些路由
// 每个路由都需要映射到一个组件。
const routes: Array<RouteRecordRaw> = [{
    path: '/',
    name: 'index',
    component: () => import('@/views/index.vue'),  /* 路由懒加载 */
}, {
  path: '/a',
  name: 'a',
  component: () => import('@/components/A.vue'),
}, {
  path: '/b',
  name: 'b',
  component: () => import('@/components/B.vue'),
}, {
  path: '/c',
  name: 'c',
  component: () => import('@/components/C.vue'),
}]
 
/* 路由模式 
  createWebHistory: h5
  createWebHashHistory: HASH
  createMemoryHistory: 服务端渲染时
*/
 
const router = createRouter({
    history: createWebHistory(),
    routes
})
 
//导出router
export default router
// mian.ts
import { createApp } from 'vue'
import router from '@/router/index'

const app = createApp()
app.use(router)

app.mount('#app')

router-view

<template> 
  <!-- 路由出口 -->
  <!-- 路由匹配到的组件将渲染在这里 -->
  <router-view></router-view>
</template>

2. 路由跳转

2.1 router-link

router-linka标签 的区别:

  • router-link 跳转不会刷新页面,a标签 跳转会刷新页面
<template>
  <router-link to="/">首页</router-link>  <!-- 通过path跳转 -->
  <router-link to="/a">A</router-link>
  <!-- <router-link to="/b">B</router-link> -->
  <a href="/b">B</a>
  <router-link :to="{name: 'c'}">C</router-link>  <!-- 通过name跳转 -->
  <hr class="mtb20" />
  <router-view></router-view>
</template>

2.2 编程式导航

import { useRouter } from 'vue-router';

const router = useRouter()
const goTo = () => {
  // 1. 字符串:参数为path router.push('/a')
  // 2. 对象模式:方便传参  router.push({name: 'a'}) 或 router.push({path: '/a'})
  // router.push({name: 'a'})
  router.push({path: '/b'})
}

2.3 replace

采用replace进行页面的跳转会同样也会创建渲染新的Vue组件,但是在history中其不会重复保存记录,而是替换原有的vue组件;

router-link

<router-link replace to="/">首页</router-link> 

编程式导航

// router.push() 替换为 router.replace()
router.replace({path: '/b'})

横跨历史

// 前进,数量可变
router.go(1)
// 后退
router.back()

3. 路由传参

详情请见:vue3的路由传参query、params以及动态路由传参

4. 嵌套路由

const routes: Array<RouteRecordRaw> = [{
  path: '/index',
  // redirect: '/index',
  name: 'Index',
  component: () => import('@/views/index.vue'),
  meta: {
    title: '首页',
  },
  children: [
    {
      path: '', /* 为空时默认显示 */
      name: 'A',
      component: () => import('@/components/A.vue'),
    }, {
      path: 'b',  /* 注意子路由不要使用 / */
      name: 'B',
      component: () => import('@/components/B.vue'),
    }, {
      path: 'c',
      name: 'C',
      component: () => import('@/components/C.vue'),
    }]
}]

注意,以 / 开头的嵌套路径将被视为根路径。这允许你利用组件嵌套,而不必使用嵌套的 URL。

<template>
  <h2>父路由</h2>
  <router-link to="/index">A</router-link>	<!-- 需要拼接上父路由 -->
  <router-link to="/index/b">B</router-link>
  <router-link to="/index/c">C</router-link>
  <hr class="mtb20">
  <router-view></router-view>
</template>

5. 命令视图

运用场景:想同时 (同级) 展示多个视图,而不是嵌套展示

const A = () => import('@/components/A.vue')
const B = () => import('@/components/B.vue')
const C = () => import('@/components/C.vue')

const routes: Array<RouteRecordRaw> = [{
  path: '/index',
  name: 'Index',
  component: () => import('@/views/index.vue'),
  meta: {
    title: '首页',
  },
  children: [
    {
      path: '',
      name: 'A',
      component: A,
    }, {
      path: 'b',
      name: 'B',
      // 渲染多个组件加个s component ---> components
      components: {
        default: B, /* 默认 router-view */
        ccc: C  /* <router-view name="ccc"> */
      },
    }, {
      path: 'c',
      name: 'C',
      components: {
        default: A,
        B,  /* B: B 的简写 */
        C
      },
    }]
}]
...
<router-view></router-view>	<!-- 渲染默认的 -->
<router-view name="ccc"></router-view>	<!-- 渲染C组件 -->
<router-view name="B"></router-view>
<router-view name="C"></router-view>

6. 重定向和别名

6.1 重定向

const routes: Array<RouteRecordRaw> = [{
  path: '/index',
  component: () => import('@/views/index.vue'),
  redirect: '/index/b',
  children: [
    {
      path: 'a',
      name: 'A',
      component: A,
    }, {
      path: 'b',
      name: 'B',
      component: B,
    }, {
      path: 'c',
      name: 'C',
      component: C,
    }]
}]

写法

// 1. 字符串
const routes = [{ path: '/index', redirect: '/index/b' }]

// 2. 对象	redirect: { name: 'B' } 或者 redirect: { path: '/index/b' }
const routes = [{ path: '/index', redirect: { name: 'B' } }]

// 3. 函数 可以传递参数
const routes = [
  {
    // /index-> /index/b?a=1&b=小多
    path: '/index',
    redirect: to => {
      console.log('to :>> ', to);
      return {
        name: 'B',
        query: {
          a: 1,
          b: '小多'
        },
      }
    },
  },
]

在这里插入图片描述

6.2 别名

// 1. 字符串
const routes = [{ path: '/', component: Homepage, alias: '/root' }]

// 2. 数组
const routes = [
  {
    path: '/users/:id',
    component: UsersByIdLayout,
    children: [
      // 为这 3 个 URL 呈现 UserDetails
      // - /users/24
      // - /users/24/profile
      // - /24
      { path: 'profile', component: UserDetails, alias: ['/:id', ''] },
    ],
  },
]

7. 路由守卫

7.1 全局前置守卫

每个守卫方法接收两个参数:

  • to: 即将要进入的目标 用一种标准化的方式
  • from: 当前导航正要离开的路由 用一种标准化的方式

可以返回的值如下:

  • false: 取消当前的导航。如果浏览器的 URL 改变了(可能是用户手动或者浏览器后退按钮),那么 URL 地址会重置到 from 路由对应的地址。
  • 一个路由地址: 通过一个路由地址跳转到一个不同的地址,就像你调用 router.push() 一样,你可以设置诸如 replace: truename: 'home' 之类的配置。当前的导航被中断,然后进行一个新的导航,就和 from 一样。
router.beforeEach(async (to, from) => {
  // isAuthenticated:用户是否登录
  // to.name !== 'Login':避免无限重定向
  if (!isAuthenticated && to.name !== 'Login') {
    return { name: 'Login', replace: true }
  }
})

7.2 全局后置守卫

你也可以注册全局后置钩子,然而和守卫不同的是,这些钩子不会接受 next 函数也不会改变导航本身:

router.afterEach((to, from) => {
  sendToAnalytics(to.fullPath)
})
案例:加载滚动条

loadingBar组件

<template>
  <div class="wraps">
    <div ref="bar" class="bar"></div>
  </div>
</template>

<script setup lang="ts">
const step = ref(1)
const bar = ref<HTMLElement>()
let timer = 0

const loadingStart = () => {
  let dom = bar.value as HTMLElement
  dom.style.display = 'block'
  step.value = 1
  timer = window.requestAnimationFrame(function fn() {
    if (step.value < 90) {
      step.value++
      dom.style.width = step.value + '%'
    } else {
      step.value = 1
      window.cancelAnimationFrame(timer)
    }
  })
}

const loadingEnd = () => {
  let dom = bar.value as HTMLElement
  setTimeout(() => {
    window.requestAnimationFrame(() => {
      step.value = 100
      dom.style.width = step.value + '%'
    })
    setTimeout(() => {
      dom.style.display = 'none'
    }, 500)
  }, 500)
}

defineExpose({
  loadingStart,
  loadingEnd,
})
</script>

<style lang="less" scoped>
@barColor: #4da7f5;
.wraps {
  position: fixed;
  top: 0;
  width: 100%;
  height: 2px;
  .bar {
    width: 0;
    height: inherit;
    background: @barColor;
  }
}
</style>

index.ts

import { createVNode, render } from 'vue'
import LoadingBar from './index.vue'

const Vnode = createVNode(LoadingBar)
render(Vnode, document.body)

export default Vnode

main.ts

import loadingBar from '@/components/loadingBar/index'
...

// 路由前置守卫
router.beforeEach(async (to, from) => {
  loadingBar.component?.exposed?.loadingStart()
})

// 路由后置守卫
router.afterEach((to, from) => {
  loadingBar.component?.exposed?.loadingEnd()
})

更多路由守卫详情请见:Vue-Router 导航守卫

8. 路由元信息

通过路由记录的 meta 属性可以定义路由的元信息。使用路由元信息可以在路由中附加自定义的数据

// 如果不使用扩展 将会是unknow 类型
declare module 'vue-router' {
  interface RouteMeta {
    title?: string,
    transition?: string
  }
}

const routes: Array<RouteRecordRaw>  = [{ path: '/', component: A, meta: { title: '首页', transition: 'animate__bounce'} }]
router.beforeEach(async (to, from) => {
  to.meta?.title && (document.title = to.meta.title)
  ...
})

9. 路由过渡动效

<router-view v-slot="{ Component, route }">
    <transition :enter-active-class="`animate__animated ${route.meta.transition}`">
      <component :is="Component" />
    </transition>
</router-view>

10. 滚动行为

使用前端路由,当切换到新路由时,想要页面滚到顶部,或者是保持原先的滚动位置,就像重新加载页面那样。 vue-router 能做到,而且更好,它让你可以自定义路由切换时页面如何滚动。

const router = createRouter({
  history: createWebHistory(),
  scrollBehavior: (to, from, savePosition) => {
    if (savePosition) {
      return new Promise((resolve) => {
        setTimeout(() => {
          resolve(savePosition)
        }, 1000)
      })
    } else {
      return { left: 0,top: 0 }
    }
  },
  routes
})

11. 动态路由

11.1 添加路由

动态路由主要通过两个函数实现。router.addRoute()router.removeRoute()。它们只注册一个新的路由,也就是说,如果新增加的路由与当前位置相匹配,就需要你用 router.push()router.replace() 来手动导航,才能显示该新路由。

router.addRoute({ path: '/about', component: About })

// 我们也可以使用 this.$route 或 route = useRoute() (在 setup 中)
router.replace(router.currentRoute.value.fullPath)

记住,如果你需要等待新的路由显示,可以使用 await router.replace()

11.2 添加嵌套路由

要将嵌套路由添加到现有的路由中,可以将路由的 name 作为第一个参数传递给 router.addRoute(),这将有效地添加路由,就像通过 children 添加的一样:

router.addRoute({ name: 'admin', path: '/admin', component: Admin })
router.addRoute('admin', { path: 'settings', component: AdminSettings })

// 等效于
router.addRoute({
  name: 'admin',
  path: '/admin',
  component: Admin,
  children: [{ path: 'settings', component: AdminSettings }],
}) 

11.3 删除路由

  • 通过添加一个名称冲突的路由。如果添加与现有途径名称相同的途径,会先删除路由,再添加路由:
router.addRoute({ path: '/about', name: 'about', component: About })
// 这将会删除之前已经添加的路由,因为他们具有相同的名字且名字必须是唯一的
router.addRoute({ path: '/other', name: 'about', component: Other })
  • 通过调用 router.addRoute() 返回的回调:
const removeRoute = router.addRoute(routeRecord)
removeRoute() // 删除路由如果存在的话
  • 通过使用 router.removeRoute() 按名称删除路由:
router.addRoute({ path: '/about', name: 'about', component: About })
// 删除路由
router.removeRoute('about')

11.4 查看现有路由

  • router.hasRoute():检查路由是否存在。
  • router.getRoutes():获取一个包含所有路由记录的数组。

案例:

注意一个事项vite在使用动态路由的时候无法使用别名 @ 必须使用相对路径

import { useRouter } from 'vue-router'

const router = useRouter()
const result = [
  { name: 'A', path: '/a', component: 'A' },
  { name: 'B', path: '/b', component: 'B' },
  { name: 'C', path: '/c', component: 'C' },
]

const add = () => {
  result.forEach(e => {
    router.addRoute({
      path: e.path,
      name: e.name,
      component: () => import(`./components/${e.component}.vue`)
    })
  })
  console.log(router.getRoutes());
}

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

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

相关文章

瞧不上alert 老古董?使用alert实现一个精美的弹窗

曾几何时alert陪伴了我很多歌日日夜夜&#xff0c;但现在人们越来越追求高端的技术&#xff0c;其实慢慢的我也都快淡忘了前端的世界里还有alert这么一个伟大的成员。 目录 一、为什么抛弃了alert? 1. 不同浏览器的表现 2. 第三方组件的使用 3. 代码意识的控制 二、用al…

2023年浏览器哪个好用速度快,看这一篇就够了

在网络覆盖的社会&#xff0c;不管走到哪里&#xff0c;都能上网浏览新闻、看热点资讯。浏览器是用户上网浏览的必要软件之一&#xff0c;它决定这用户浏览网页的速度和习惯。那么&#xff0c;2023年什么浏览器好用稳定速度快&#xff1f;目前优秀的浏览器有很多&#xff0c;但…

HDFS常用命令汇总

HDFS常用命令汇总一、前言信息二、帮助信息查看1、查看帮助信息2、帮助文档&#xff08;附带命令的详细说明&#xff09;三、常用命令1、创建目录2、查看目录下的内容3、上传文件4、上传并删除源文件5、查看文件内容6、查看文件开头内容7、查看文件末尾内容8、下载文件9、合并下…

ceph中报错“ clock skew detected on mon.ceph2, mon.ceph3”

自己搭建的ceph集群&#xff0c;显示时间不同步:clock skew detected on mon.ceph2, mon.ceph3但是查看chrony进程已经启动&#xff0c;ceph配置文件中,如下参数也已经配置&#xff0c;查看chrony.conf配置文件发现&#xff0c;同步源没有修改过&#xff0c;默认的于是修改ceph…

面试官的几句话,差点让我挂在HTTPS上

面试官的几句话&#xff0c;差点让我挂在HTTPS上 目录&#xff1a;导读 一、HTTP 协议 二、HTTPS 协议 三、使用 HTTP 协议还是 HTTPS 协议呢&#xff1f; 四、HTTP 协议和 HTTPS 协议的区别 作为软件测试&#xff0c;大家都知道一些常用的网络协议是我们必须要了解和掌握…

MySQL jdbc 反序列化分析

0x01 前言听师傅们说这条链子用的比较广泛&#xff0c;所以最近学一学&#xff0c;本来是想配合着 tabby 或是 codeql 一起看的&#xff0c;但是 tabby 的环境搭建一直有问题&#xff0c;耽误了很久时间&#xff0c;所以就直接看了0x02 JDBC 的基础• 本来不太想写这点基础的&a…

敏捷与DevOps的区别,知异同,发准力

​图片来自Robert Martin《敏捷整洁之道》。敏捷DevOps生命之环&#xff0c;由内到外&#xff0c;第一圈&#xff1a;Kent Beck&#xff0c;第二圈&#xff1a;Uncle Bob&#xff0c;第三圈&#xff1a;Mike Cohn。三圈由内到外分别是&#xff1a;编程、工程&#xff08;大致对…

STM32读取24位模数转换(24bit ADC)芯片TM7711数据

STM32读取24位模数转换&#xff08;24bit ADC&#xff09;芯片TM7711数据 TM7711是一款国产低成本24位ADC芯片&#xff0c;常用于与称重传感器配合实现体重计的应用。这里介绍STM32读取TM7711的电路和代码实现。TM7711与HX710A是兼容的芯片&#xff0c;而与HX711在功能上有所不…

B+树的概念

与分块查找和B树类似。 一棵m阶的B树需满足如下条件: 每个分支结点最多有m棵子树非叶子结点的根结点至少有两棵子树&#xff0c;其他结点至少有⌈m/2⌉\lceil m/2\rceil⌈m/2⌉棵子树结点的子树个数与关键字个数相等关键字全部存储在叶子结点中。所有指向对应记录的指针也存储…

LeetCode刷题---链表经典问题(双指针)

文章目录一、编程题&#xff1a;206. 反转链表&#xff08;双指针-头插法&#xff09;解题思路1.思路2.复杂度分析&#xff1a;3.算法图解代码实现二、编程题&#xff1a;203. 移除链表元素解题思路1.思路2.复杂度分析&#xff1a;3.算法图解代码实现三、编程题&#xff1a;328…

嵌入式开发:为什么物联网正在吞噬嵌入式操作系统?

在过去几年的嵌入式开发中&#xff0c;独立嵌入式软件市场的两大基石已被物联网公司完全吞噬。第一个FreeRTOS被亚马逊吞并&#xff0c;以支持其亚马逊Web服务(AWS)云平台的物联网开发&#xff0c;Express Logic被微软吞并&#xff0c;用于其竞争对手Azure云服务。许多分析师对…

【图像处理OpenCV(C++版)】——4.4 对比度增强之伽马变换

前言&#xff1a; &#x1f60a;&#x1f60a;&#x1f60a;欢迎来到本博客&#x1f60a;&#x1f60a;&#x1f60a; &#x1f31f;&#x1f31f;&#x1f31f; 本专栏主要结合OpenCV和C来实现一些基本的图像处理算法并详细解释各参数含义&#xff0c;适用于平时学习、工作快…

解析某音X-Bogus参数

文章目录写在前面目标正向梳理主要加密函数主要算法解析逆向梳理结论测试进阶写在后面写在前面 本文主要介绍从X-Bogus还原19位数组的过程&#xff0c;方便理解算法。 目标 // 从 var x_bogus DFSzswVVUyXANrqJSkdAml9WX7jG; // 还原出 var x_array [64, 0.00390625, 1, 2…

Dubbo 入门系列之快速部署一个微服务应用

本文将基于 Dubbo Samples 示例演示如何快速搭建并部署一个微服务应用。 背景 Dubbo 作为一款微服务框架&#xff0c;最重要的是向用户提供跨进程的 RPC 远程调用能力。如上图所示&#xff0c;Dubbo 的服务消费者&#xff08;Consumer&#xff09;通过一系列的工作将请求发送给…

FatFs文件系统(只针对SPI-Flash)总结

作用 当我们利用SPI操作Flash时往往读写的都是一段连续的扇区&#xff0c;而FatFs文件系统可以将我们要写入的数据拆分成不连续的扇区见缝插针写入&#xff0c;类似与链表一块扇区指向下一块扇区&#xff0c;不需要物理逻辑地址连续也可以读取整个文件。 这是为啥嘞&#xff…

从零开始部署“生产级别”的主从模式Mysql

从零开始部署“生产级别”的主从模式Mysql 1. 撰写的缘由 Mysql 在日常应用中使用范围非常广泛&#xff0c;它的部署&#xff0c;其实一个docker run 就可以搞定了&#xff0c;但是这种单个standalone模式下&#xff0c;非常不具备高可用性。 测试环境和开发可以随便用&…

集团审计BI项目的特点

审计到底做哪些事情呢&#xff1f;如果之前大家没有接触的话&#xff0c;试着想一下&#xff0c;可能都会想到审计工作做的应该是跟监督有关的事情。实际上&#xff0c;现代审计职责不仅仅只是监督&#xff0c;还要兼顾到服务&#xff0c;具有监督和服务的双重属性。 什么是审…

stm32学习笔记-2 软件安装及创建工程

2 软件安装及创建工程 [toc] 注&#xff1a;笔记主要参考B站 江科大自化协 教学视频“STM32入门教程-2023持续更新中”。 注&#xff1a;工程及代码文件放在了本人的Github仓库。 2.1 软件安装 软件安装的步骤有&#xff1a; 安装Keil5 MDK。Keil5 MDK专门用于给ARM系列单片…

网络安全规划实践

在企业IT战略规划方面&#xff0c;很多时候我们会自动忽略网络安全规划&#xff0c;一是不够重视&#xff0c;从公司到技术部门&#xff0c;对网络安全的认识有限&#xff0c;重视不够&#xff0c;不愿意花钱。 二是技术部门自身原因&#xff0c;不愿意多花成本和精力去规划&am…

推荐14款最受欢迎的3d建模软件

最好的 3D 建模软件可以毫不费力地设计出最奇特的创意&#xff0c;并将它们变成令人惊叹的 3D 可视化效果。如果您确切知道要设计的模型类型&#xff0c;请查看此 3D 建模软件列表&#xff0c;比较 15 种一流的 3D 建模平台&#xff0c;然后选择最适合您的一款。最佳 3D 建模软…