将 props 传递给路由组件

在你的组件中使用 $route 会与路由紧密耦合,这限制了组件的灵活性,因为它只能用于特定的 URL。虽然这不一定是件坏事,但我们可以通过 props 配置来解除这种行为:

我们可以将下面的代码

  1. const User = {
  2. template: '<div>User {{ $route.params.id }}</div>'
  3. }
  4. const routes = [{ path: '/user/:id', component: User }]

替换成

  1. const User = {
  2. props: ['id'],
  3. template: '<div>User {{ id }}</div>'
  4. }
  5. const routes = [{ path: '/user/:id', component: User, props: true }]

这允许你在任何地方使用该组件,使得该组件更容易重用和测试。

布尔模式

props 设置为 true 时,route.params 将被设置为组件的 props。

命名视图

对于有命名视图的路由,你必须为每个命名视图定义 props 配置:

  1. const routes = [
  2. {
  3. path: '/user/:id',
  4. components: { default: User, sidebar: Sidebar },
  5. props: { default: true, sidebar: false }
  6. }
  7. ]

对象模式

props 是一个对象时,它将原样设置为组件 props。当 props 是静态的时候很有用。

  1. const routes = [
  2. {
  3. path: '/promotion/from-newsletter',
  4. component: Promotion,
  5. props: { newsletterPopup: false }
  6. }
  7. ]

函数模式

你可以创建一个返回 props 的函数。这允许你将参数转换为其他类型,将静态值与基于路由的值相结合等等。

  1. const routes = [
  2. {
  3. path: '/search',
  4. component: SearchUser,
  5. props: route => ({ query: route.query.q })
  6. }
  7. ]

URL /search?q=vue 将传递 {query: 'vue'} 作为 props 传给 SearchUser 组件。

请尽可能保持 props 函数为无状态的,因为它只会在路由发生变化时起作用。如果你需要状态来定义 props,请使用包装组件,这样 vue 才可以对状态变化做出反应。

高级使用方法,请查看示例.