亚洲乱码中文字幕综合,中国熟女仑乱hd,亚洲精品乱拍国产一区二区三区,一本大道卡一卡二卡三乱码全集资源,又粗又黄又硬又爽的免费视频

vue3動態(tài)路由解決刷新頁面空白或跳轉(zhuǎn)404問題

 更新時間:2025年01月22日 08:31:28   作者:micefind  
這篇文章主要為大家詳細(xì)介紹了vue3如何通過動態(tài)路由解決刷新頁面空白或跳轉(zhuǎn)404問題,文中的示例代碼講解詳細(xì),感興趣的小伙伴可以了解下

前言

開發(fā)后臺管理系統(tǒng)時,有時后端會根據(jù)權(quán)限返回不同的菜單列表,前端需要異步獲取數(shù)據(jù)然后實時生成路由配置。

在vue3項目中,我們使用pinia、vue-router實現(xiàn)動態(tài)路由,關(guān)鍵步驟如下:

  • 異步請求獲取路由接口數(shù)據(jù);
  • pinia狀態(tài)管理保存路由信息;
  • vue-router實現(xiàn)路由配置;
  • 動態(tài)添加路由。

1 異步請求獲取路由接口數(shù)據(jù)

// /src/api/route.js
export const getRouteList = () => {
  // 模擬異步請求
  return new Promise((resolve) => {
    setTimeout(() => {
      resolve([
        {
          name: "home",
          path: "/home",
          meta: { title: "首頁" },
        },
        {
          name: "user",
          path: "/user",
          meta: { title: "用戶" },
        },
      ])
    }, 1000)
  })
}

2 pinia狀態(tài)管理保存路由信息

// /src/store/route.js
import { defineStore } from "pinia"

export const useRouteStore = defineStore("route", {
  state: () => ({
    routeList: sessionStorage.getItem("routeList")
      ? JSON.parse(sessionStorage.getItem("routeList"))
      : [],
    isUpdate: false,
  }),
  actions: {
    updateRouteList(routeList) {
      this.routeList = routeList
      sessionStorage.setItem("routeList", JSON.stringify(routeList))
      this.isUpdate = true
    },
  },
  getters: {},
})

3 vue-router實現(xiàn)路由配置

import { createRouter, createWebHashHistory } from "vue-router"

// 定義基本路由配置
const routes = [
  {
    path: "/:pathMatch(.*)",
    meta: { title: "404" },
    name: "404",
    component: () => import("@/views/error/404.vue"),
  },
  {
    path: "/login",
    name: "login",
    component: () => import("@/views/login/Login.vue"),
    meta: { title: "登錄" },
  },
  {
    path: "/",
    name: "layout",
    component: () => import("@/views/layout/Layout.vue"),
    redirect: "/home",
    children: [], // 初始時沒有子路由
  },
]

export const router = createRouter({
  history: createWebHashHistory(import.meta.env.BASE_URL),
  routes,
})

// 路由守衛(wèi),用于處理路由跳轉(zhuǎn)前的邏輯
router.beforeEach(async (to, from, next) => {
  // 判斷是否已登錄且沒有 token,未登錄時重定向到登錄頁
  const token = localStorage.getItem("token")
  if (to.path !== "/login" && !token) {
    return next({ name: "login" })
  }
  next()
})

4 動態(tài)添加路由

核心代碼

router.addRoute("layout", {
	path: item.path,
	name: item.name,
	component: () => import(`@/views/${item.name}/index.vue`),
})

完整代碼

// /src/router/index.js
import { createRouter, createWebHashHistory } from "vue-router"
import { useRouteStore } from "@/store/route"
import { getRouteList } from "@/api/route"

// 定義基本路由配置
const routes = [
  {
    path: "/:pathMatch(.*)",
    meta: { title: "404" },
    name: "404",
    component: () => import("@/views/error/404.vue"),
  },
  {
    path: "/login",
    name: "login",
    component: () => import("@/views/login/Login.vue"),
    meta: { title: "登錄" },
  },
  {
    path: "/",
    name: "layout",
    component: () => import("@/views/layout/Layout.vue"),
    redirect: "/home",
    children: [], // 初始時沒有子路由
  },
]

export const router = createRouter({
  history: createWebHashHistory(import.meta.env.BASE_URL),
  routes,
})

// 添加動態(tài)路由
const addRoute = () => {
  const routeStore = useRouteStore()
  if (routeStore.isUpdate) {
    routeStore.routeList.forEach((item) => {
      if (!router.hasRoute(item.name)) {
        router.addRoute("layout", {
          path: item.path,
          name: item.name,
          component: () => import(`@/views/${item.name}/index.vue`),
        })
      }
    })
    routeStore.isUpdate = false
  }
}

// 初始化路由
export const initRouter = async () => {
  let routeList = sessionStorage.getItem("routeList")
    ? JSON.parse(sessionStorage.getItem("routeList"))
    : await getRouteList()
  const routeStore = useRouteStore()
  routeStore.updateRouteList(routeList)
  addRoute()
}

// 路由守衛(wèi),用于處理路由跳轉(zhuǎn)前的邏輯
router.beforeEach(async (to, from, next) => {
  // 添加動態(tài)路由
  addRoute()
  // 判斷是否已登錄且沒有 token,未登錄時重定向到登錄頁
  const token = localStorage.getItem("token")
  if (to.path !== "/login" && !token) {
    return next({ name: "login" })
  }
  next()
})

注意:動態(tài)添加路由后刷新頁面會跳轉(zhuǎn)404頁面,因為在進路由守衛(wèi)之前,程序已經(jīng)進行了路由匹配,結(jié)果就是沒匹配到任何內(nèi)容。

解決方案:在router注冊之前調(diào)用initRouter函數(shù)初始化路由。

// main.js
import "./assets/css/main.css"

import { createApp } from "vue"
import { createPinia } from "pinia"
import App from "./App.vue"
import { initRouter, router } from "./router"

const app = createApp(App)

const call = async () => {
  app.use(createPinia())
  await initRouter()
  app.use(router)

  app.mount("#app")
}
call()

到此這篇關(guān)于vue3動態(tài)路由解決刷新頁面空白或跳轉(zhuǎn)404問題的文章就介紹到這了,更多相關(guān)vue3刷新頁面空白或404內(nèi)容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關(guān)文章希望大家以后多多支持腳本之家!

相關(guān)文章

  • 利用HBuilder打包前端開發(fā)webapp為apk的方法

    利用HBuilder打包前端開發(fā)webapp為apk的方法

    下面小編就為大家?guī)硪黄肏Builder打包前端開發(fā)webapp為apk的方法。小編覺得挺不錯的,現(xiàn)在就分享給大家,也給大家做個參考。一起跟隨小編過來看看吧
    2017-11-11
  • Vue應(yīng)用中使用xlsx庫實現(xiàn)Excel文件導(dǎo)出的詳細(xì)步驟

    Vue應(yīng)用中使用xlsx庫實現(xiàn)Excel文件導(dǎo)出的詳細(xì)步驟

    本文詳細(xì)介紹了如何在Vue應(yīng)用中使用xlsx庫來導(dǎo)出Excel文件,包括安裝xlsx庫、準(zhǔn)備數(shù)據(jù)、創(chuàng)建導(dǎo)出方法、觸發(fā)導(dǎo)出操作和自定義Excel文件等步驟,xlsx庫提供了強大的API和靈活的自定義選項,使得處理Excel文件變得簡單而高效
    2024-10-10
  • vue實現(xiàn)pdf導(dǎo)出解決生成canvas模糊等問題(推薦)

    vue實現(xiàn)pdf導(dǎo)出解決生成canvas模糊等問題(推薦)

    最近公司項目需要,利用vue實現(xiàn)pdf導(dǎo)出,從而保存到本地打印出來,說起來好像也很容易,具體要怎么實現(xiàn)呢?下面小編給大家?guī)砹藇ue實現(xiàn)pdf導(dǎo)出解決生成canvas模糊等問題,需要的朋友參考下吧
    2018-10-10
  • vue設(shè)計一個倒計時秒殺的組件詳解

    vue設(shè)計一個倒計時秒殺的組件詳解

    這篇文章主要介紹了vue設(shè)計一個倒計時秒殺的組件,文中通過示例代碼介紹的非常詳細(xì),對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價值,需要的朋友們下面隨著小編來一起學(xué)習(xí)學(xué)習(xí)吧
    2019-04-04
  • Vue使用高德地圖選點定位搜索定位功能實現(xiàn)

    Vue使用高德地圖選點定位搜索定位功能實現(xiàn)

    這篇文章主要介紹了Vue使用高德地圖選點定位搜索定位功能,文中給大家提到了常見問題解決方法,本文結(jié)合實例代碼給大家介紹的非常詳細(xì),對大家的學(xué)習(xí)或工作具有一定的參考借鑒價值,需要的朋友可以參考下
    2022-10-10
  • 詳解vue-cli3 中跨域解決方案

    詳解vue-cli3 中跨域解決方案

    這篇文章主要介紹了vue-cli3 中跨域解決方案,非常不錯,具有一定的參考借鑒價值 ,需要的朋友可以參考下
    2019-04-04
  • Vue?echarts實例項目商家銷量統(tǒng)計圖實現(xiàn)詳解

    Vue?echarts實例項目商家銷量統(tǒng)計圖實現(xiàn)詳解

    Echarts,它是一個與框架無關(guān)的?JS?圖表庫,但是它基于Js,這樣很多框架都能使用它,例如Vue,估計IONIC也能用,因為我的習(xí)慣,每次新嘗試做一個功能的時候,總要新創(chuàng)建個小項目,做做Demo
    2022-09-09
  • Vue實現(xiàn)路由跳轉(zhuǎn)和嵌套

    Vue實現(xiàn)路由跳轉(zhuǎn)和嵌套

    本篇文章主要介紹了Vue實現(xiàn)路由跳轉(zhuǎn)和嵌套,小編覺得挺不錯的,現(xiàn)在分享給大家,也給大家做個參考。一起跟隨小編過來看看吧
    2017-06-06
  • vue.config.js完整配置教程

    vue.config.js完整配置教程

    這篇文章主要為大家介紹了vue.config.js的完整配置教程,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進步,早日升職加薪
    2022-08-08
  • vue實現(xiàn)三級導(dǎo)航展示和隱藏

    vue實現(xiàn)三級導(dǎo)航展示和隱藏

    這篇文章主要為大家詳細(xì)介紹了vue實現(xiàn)三級導(dǎo)航展示和隱藏,文中示例代碼介紹的非常詳細(xì),具有一定的參考價值,感興趣的小伙伴們可以參考一下
    2021-08-08

最新評論