快速入門 1. 安裝路由 npm install --save vue-router 2. 定義組件 <template> <div> <h3>Home</h3> <router-link to="/login">Login</router-link> </div> </template> <scr ...
快速入門
1. 安裝路由
npm install --save vue-router
2. 定義組件
<template> <div> <h3>Home</h3> <router-link to="/login">Login</router-link> </div> </template> <script> export default {}; </script>
3. 定義路由規則
import Vue from 'vue' import VueRouter from 'vue-router' Vue.use(VueRouter) export default new VueRouter({ mode: 'history', routes: [ { path: '/', component: () => import('../views/home.vue') }, { path: '/login', component: () => import('../views/login.vue') }, ] });
4. 在需要顯示路由位置放<router-view />
<router-view />
這就完成一個簡單路由
深入路由
基礎
VueRouter.model :
- hash(預設):使用 URL 的 hash 來模擬一個完整的 URL
- history :利用 history.pushState API 來完成 URL 跳轉而無須重新載入頁面
<router-link> : 路由功能導航,預設生成<a>標簽,可以使用tag屬性修改生成的標簽
<router-view /> : 路由出口,匹配到的路由會在這裡渲染
動態路由
通常鏈接需要帶上參數,根據參數顯示不同結果
Vue動態路由用":" 匹配路徑參數,然後就匹配的參數放入$route.params
1. 定義動態路由,這裡需要對路由命名,獲取名稱和性別
{ path: '/login/:username/:sex', name: 'login', component: () => import('../views/login.vue') },
2. 路由鏈接 - 需要路由命名
<router-link :to="{ name: 'login', params: { username, sex } }">Login</router-link> <!--等價於--> <router-link to="/login/WilsonPan/1">Login</router-link>
3. 組件獲取路由參數
<h3>username : {{ this.$route.params.username }}</h3> <h3>sex : {{ this.$route.params.sex === 1 ? "男" : "女" }}</h3>
註:除了可以設置路由參數,還可以設置query參數
<router-link :to="{ name: 'login', query: { id: 3 }, params: { username, sex } }">Login</router-link> <!--等價於--> <router-link to="/login/WilsonPan/1?id=3">Login</router-link>
組件獲取query參數
<h3>id : {{ this.$route.query.id }}</h3>
嵌套路由
一個路由渲染的頁麵包含另外的路由
1. 定義路由
{ path: '/', name: 'home', component: () => import('../views/home.vue'), children: [ { path: '/', component: () => import('../components/ComponentDemo.vue') }, { path: '/directives', component: () => import('../components/Directives.vue') } ] }
2. 在需要顯示子路由的地方放子路由渲染頁面
<router-view />
導航守衛
導航守衛主要用來通過跳轉或取消的方式守衛導航,導航守衛有全局的,單個路由的,組件級別,用於未登錄控制訪問,控制訪問等。
全局路由
const router = new VueRouter({ ... }) router.beforeEach((to, from, next) => { // ... })
- to: Route: 即將要進入的目標路由對象
- from: Route: 當前導航正要離開的路由
- next: Function: 一定要調用該方法來 **resolve** 這個鉤子。執行效果依賴 next 方法的調用參數。
路由獨享的守衛
const router = new VueRouter({ routes: [ { path: '/foo', component: Foo, beforeEnter: (to, from, next) => { // ... } } ] })
組件內的守衛
const Foo = { template: `...`, beforeRouteEnter (to, from, next) { // 在渲染該組件的對應路由被 confirm 前調用 // 不!能!獲取組件實例 `this` // 因為當守衛執行前,組件實例還沒被創建 }, beforeRouteUpdate (to, from, next) { // 在當前路由改變,但是該組件被覆用時調用 // 舉例來說,對於一個帶有動態參數的路徑 /foo/:id,在 /foo/1 和 /foo/2 之間跳轉的時候, // 由於會渲染同樣的 Foo 組件,因此組件實例會被覆用。而這個鉤子就會在這個情況下被調用。 // 可以訪問組件實例 `this` }, beforeRouteLeave (to, from, next) { // 導航離開該組件的對應路由時調用 // 可以訪問組件實例 `this` } }
轉發請標明出處:https://www.cnblogs.com/WilsonPan/p/12770411.html