vue路由传参的三种方式和路由跳转的四种方式
程序员文章站
2022-05-15 18:21:43
...
第一种方法通过params与配置路由格式(特点:刷新数据不会丢失,会以/user/1234
格式拼接显示在url里面)
路由配置:
{
path: '/user/:id',
name: 'user',
component: user
}
携带参数传递:
//直接调用$router.push 实现携带参数的跳转
this.$router.push({
path: '/user/123',
})
获取对应参数:
this.$route.params.id
第二种方法通过路由属性中的name来确定匹配的路由,通过params来传递参数(特点:刷新会丢失参数,但不会显示在url里面)
路由配置:
{
path: '/user',
name: 'user',
component: user
}
带参数传递:
this.$router.push({
name: 'user',
params: {
id: id
}
})
获取对应参数:
this.$route.params.id
第三种方式使用path来匹配路由,然后通过query来传递参数(特点:刷新不会丢失数据,但是参数会以?id:123
的格式拼接显示在url里面)
路由配置:
{
path: '/user',
name: 'user',
component: user
}
带参数传递:
this.$router.push({
path: '/user',
query: {
id: id
}
})
获取对应参数:
this.$route.query.id
组件的主要功能就是可以复用,但是一旦使用了$route获取路由参数,该组件就会与路由参数具有高耦合性,不便于组件的复用。为了解耦,我们可以使用props来接受路由传参,也可以自定义的让父组件进行出传参
在组件定义props来接收参数或者用于父组件传参:
props: {
id: {
type: String,
default: ''
}
}
接收参数:
//可以使用以前的方法获取参数
this.$route.params.id
//但是更推荐直接使用props
this.id
路由跳转
1.router-link:
<router-link :to="{name:'home'}">
<router-link :to="{path:'/home'}"> //name,path都行, 建议用name
// 注意:router-link中链接如果是'/'开始就是从根路由开始,如果开始不带'/',则从当前路由开始。
2.带参数
<router-link :to="{name:'home', params: {id:1}}">
// params传参数 (类似post)
// 路由配置 path: "/home/:id" 或者 path: "/home:id"
// 不配置path ,第一次可请求,刷新页面id会消失
// 配置path,刷新页面id会保留
// html 取参 $route.params.id
// script 取参 this.$route.params.id
<router-link :to="{name:'home', query: {id:1}}">
// query传参数 (类似get,url后面会显示参数)
// 路由可不配置
// html 取参 $route.query.id
// script 取参 this.$route.query.id12
2.this.$router.push() (函数里面调用)
1. 不带参数
this.$router.push('/home')
this.$router.push({name:'home'})
this.$router.push({path:'/home'})
2. query传参
this.$router.push({name:'home',query: {id:'1'}})
this.$router.push({path:'/home',query: {id:'1'}})
// html 取参 $route.query.id
// script 取参 this.$route.query.id
3. params传参
this.$router.push({name:'home',params: {id:'1'}}) // 只能用 name
// 路由配置 path: "/home/:id" 或者 path: "/home:id" ,
// 不配置path ,第一次可请求,刷新页面id会消失
// 配置path,刷新页面id会保留
// html 取参 $route.params.id
// script 取参 this.$route.params.id
4. query和params区
query类似 get, 跳转之后页面 url后面会拼接参数,类似?id=1, 非重要性的可以这样传, 密码之类还是用params刷新页面id还在
params类似 post, 跳转之后页面 url后面不会拼接参数 , 但是刷新页面id 会消失12
3. this.$router.replace() (用法同上,push)
4. this.$router.go(n)
this.$router.go(n)
//向前或者向后跳转n个页面,n可为正整数或负整数1
上一篇: vue 路由跳转四种方式 (带参数)