vue-router 的params query传参例子
时间: 2023-09-12 19:02:47 浏览: 116
假设我们有两个页面,分别是 `Home.vue` 和 `Article.vue`,我们需要在 `Home.vue` 页面中点击某个文章链接跳转到 `Article.vue` 页面,并且传递文章的 id 和 title 信息。
在 `Home.vue` 页面中,我们可以这样定义链接:
```html
<router-link :to="{ name: 'article', params: { id: 1, title: 'Vue Router' }, query: { category: 'web' } }">查看文章</router-link>
```
这里我们使用了 `router-link` 组件来创建链接,`to` 属性指定了链接的目标地址,其中:
- `name: 'article'` 表示目标页面的路由名称是 `article`,这个名称是在路由配置中定义的;
- `params: { id: 1, title: 'Vue Router' }` 表示传递了两个路由参数,一个是 `id`,值为 `1`,另一个是 `title`,值为 `Vue Router`;
- `query: { category: 'web' }` 表示传递了一个查询参数,键为 `category`,值为 `web`。
在路由配置中,我们需要定义 `article` 页面的路由规则,并且指定 `id` 和 `title` 作为路由参数:
```javascript
const routes = [
{
path: '/',
name: 'home',
component: Home
},
{
path: '/article/:id/:title',
name: 'article',
component: Article,
props: true
}
]
```
这里我们使用了动态路由参数来接收 `id` 和 `title` 的值,`props: true` 表示将路由参数作为组件的 props 传递给目标组件。
在 `Article.vue` 组件中,我们可以这样获取路由参数和查询参数:
```javascript
export default {
name: 'Article',
props: ['id', 'title'],
created() {
console.log(this.id, this.title) // 输出 1 'Vue Router'
console.log(this.$route.query.category) // 输出 'web'
}
}
```
这里我们通过 props 接收路由参数,并在 `created` 钩子函数中输出参数的值,同时使用 `$route.query` 获取查询参数的值。
阅读全文