vue 属于单页面应用,所谓路由,就是根据浏览器路径不同,用不同的视图组件替换这个页面内容,即不同的访问路径,对应不同的页面展示。
VueRouter是Vue官方的一个路由插件,是一个第三方包。官网http://v3.router.vuejs.org/zh/
路由组成
yarn add [email protected]
import VueRouter from 'vue-router'
Vue.use(VueRouter)
const router = new VueRouter()
new Vue({
render: h => h(App),
router: router
}).$mount('#app')
App.vue
其中,
用来控制组件展示的位置。
router-link
是vue-router
提供的全局组件,用于替换a
标签。
注意:必须传入to
属性,指定路由路径值。
router-link
能跳转,能高亮(自带激活时的类名)。
router-link自动给当前导航添加了两个高亮类名。
class="router-link-exact-active router-link-active"
router-link-active
特点:模糊匹配(用得更多)
如:to=“/a” 可以匹配 /a /a/b /a/c …
router-link-exact-active
特点:精确匹配
如:to=“/a” 仅可以匹配 /a
const router = new vueRouter ({
routers: [
],
// link自定义高亮类名
linkActiveClass: '类名1', // 配置模糊匹配的类名
lingkExactActiveClass: '类名2' // 配置请确匹配的类名
})
跳转传参,就是在跳转路由时,进行传值。
我们可以通过两种方式,在跳转的时候把所需要的参数传到其他页面中。
固定用法:$toute.query.参数名
动态路由后面的参数可以随便起名,但要有语义
const router = new VueRouter({
routes: [
...,
{
path: '/search/:words',
component: Search
}
]
})
注意:/search/:words
表示,必须要传参数。如果不传参数会未匹配到组件,显示空白。如果希望不穿参数也能匹配,可以加个可选符?
const router = new VueRouter({
routes: [
...
{ path: '/search/:words?', component: Search }
]
})
$route.**params**.参数名
params后面的参数名要和动态路由配置的参数保持一致
to="/path?参数名=值&参数名2=值"
$route.query.参数名
path: "/path/:参数名"
to="/path/参数值"
$route.params.参数名
注意:动态路由也可以传多个参数,但一般只传一个
重定向就是当匹配path后,强制跳转path路径,解决了当网页打开时,url默认是/
路径,此时未匹配到组件,页面会出现空白。
{path: 匹配的路径,redirect: 重定向到的路径},
{ path: 匹配路径, redirect: 重定向到的路径 },
比如:
{ path:'/' ,redirect:'/home' }
当路径找不到匹配时,给个提示页面
404的路由,虽然配置在任何一个位置都可以,但一般都配置在其他路由规则的最后面
path: "*" (任意路径)
– 路由匹配规则是从上往下依次匹配,当前面不匹配就命中最后这个
import NotFind from '@/views/NotFind'
const router = new VueRouter({
routes: [
...
{ path: '*', component: NotFind } //最后一个
]
})
默认的路由的路径有#,看起来不自然, ,而能否切成真正路径形式呢?
[http://localhost:8080/#/home](http://localhost:8080/#/home)
const router = new VueRouter({
mode:'hash', //默认是hash,因为是默认的,写不写都行
routes:[]
})
[http://localhost:8080/home](http://localhost:8080/home)
(以后上线需要服务器端支持,开发环境webpack给规避掉了history模式的问题)const router = new VueRouter({
mode:'histroy',
routes:[]
})
编程式导航:用JS代码来进行跳转
两种语法:
特点:简易方便
//简单写法
this.$router.push('路由路径')
//完整写法
this.$router.push({
path: '路由路径'
})
特点:适合 path 路径长的场景
语法:
{ name: '路由名', path: '/path/xxx', component: XXX },
this.$router.push({
name: '路由名'
})
1.查询参数
2.动态路由传参
两种跳转方式,对于两种传参方式都支持:
① path
路径跳转传参
② name
命名路由跳转传参
//简单写法
this.$router.push('/路径?参数名1=参数值1&参数2=参数值2')
//完整写法
this.$router.push({
path: '/路径',
query: {
参数名1: 参数值1,
参数名2: 参数值2
}
})
接受参数的方式依然是:$route.query.参数名
//简单写法
this.$router.push(`/路径/参数值`)
//完整写法
this.$router.push({
path: `/路径/参数值`
})
接受参数的方式依然是:$route.params.参数值
注意:path
不能配合params
使用
this.$router.push({
name: '路由名字',
query: {
参数名1: 参数值1,
参数名2: 参数值2
}
})
this.$router.push({
name: '路由名字',
params: {
参数名: '参数值',
}
})