5.编程式路由vue-router
2019-04-16 本文已影响73人
极课编程
前言:编程式路由在我们的项目使用过程中最常用的的方法了。
什么是编程式路由呢?就是通过写js代码来实现页面的跳转
1. router.push({path: 'name'});或者router.push('name')
首先我们来讲讲简单的,上面两个方法记住,等效的。
① 还是在test.vue组件里面写个div并给它添加一个click跳转事件:
<template>
<div class="test">
<!-- 动态路由-->
this is id:{{$route.params.testId}}
<br/>
this is name:{{$route.params.testName}}
<br/>
<!--嵌套路由-->
<router-link to="/test/title1">标题1</router-link>
<router-link to="/test/title2">标题2</router-link>
<router-view></router-view>
<br/>
<!--编程式路由-->
<div @click="gotoGoods">跳转到商品详情页面</div>
</div>
</template>
<script>
export default {
name:'Test',
data() {
return {
msg: 'hello vue'
}
},
methods:{
gotoGoods() {
this.$router.push('/goods');
}
}
}
</script>
<style scoped>
</style>
② 在view文件下新建一个goods.vue
<template>
<div class="goods">
this is goods
</div>
</template>
<script>
export default {
}
</script>
<style scoped>
</style>
③ 在router中引入这个goods组件(index.js)
import Vue from 'vue'
import Router from 'vue-router'
import HelloWorld from '@/components/HelloWorld'
//引入组件
import Test from "@/view/test"
import Title1 from "@/view/title1"
import Title2 from "@/view/title2"
import Goods from "@/view/goods"
Vue.use(Router)
export default new Router({
routes: [
{
// path: '/test/:testId',
path:'/test/:testId/name/:testName',
name: 'HelloWorld',
//填写路由参数
component: Test,
children:[{
path: 'title1',
name:'title1',
component: Title1
},
{
path: 'title2',
name:'title2',
component: Title2
}
]
},
{
path:'/goods',
name:'goods',
component:Goods
}
]
})
④ 打开路径为test的页面并点击
⑤ ok,点一下我们就到goods页面了,实现了跟router-view标签一样的效果
Ok,到这里我们已经实现了编程式路由的跳转了,接下来我们来试试路由携带参数跳转并接受参数。
2.router.push({path: 'name',query:{a:123}})/router.push(path:'name?a=123')这两种方式都可以
话不多说,看图你应该能看懂:
test.vue
<template>
<div class="test">
<!-- 动态路由-->
this is id:{{$route.params.testId}}
<br/>
this is name:{{$route.params.testName}}
<br/>
<!--嵌套路由-->
<router-link to="/test/title1">标题1</router-link>
<router-link to="/test/title2">标题2</router-link>
<router-view></router-view>
<br/>
<!--编程式路由-->
<div @click="gotoGoods">跳转到商品详情页面</div>
</div>
</template>
<script>
export default {
name:'Test',
data() {
return {
msg: 'hello vue'
}
},
methods:{
gotoGoods() {
// this.$router.push('/goods');
this.$router.push({
path:'/goods?goodsId=12345'
});
this.$router.push({
path:'/goods',
query:{
goodsId:12345
}
})
}
}
}
</script>
<style scoped>
</style>
② 在goods.vue中输入
提醒一句,这里的获取上一级页面传过来的参数是route不是$router:
<template>
<div class="goods">
this is goods
<span>{{$route.query.goodsId}}</span>
</div>
</template>
<script>
export default {
}
</script>
<style scoped>
</style>
③ ok,我们就可以看到页面中显示上级页面传过来的参数了:
3.$router.go();
这个就随意提一下,就是类似于history.go()的方法,括号里面填个1就是前进一级页面,-1就后退一级页面。差不多就是这样。