手把手教你学Vue-3(路由)

1.路由的作用

1.当我们有多个页面的时刻 ,我们须要运用路由,将组件(components)映射到路由(routes),然后通知 vue-router 在那里衬着它们。

简朴的路由

const routes = [
  { path: '/foo', component: Foo },
  { path: '/bar', component: Bar }
]

// 3. 建立 router 实例,然后传 `routes` 设置
// 你还能够传别的设置参数, 不过先这么简朴着吧。
const router = new VueRouter({
  routes // (缩写)相当于 routes: routes
})

// 4. 建立和挂载根实例。
// 记得要经由过程 router 设置参数注入路由,
// 从而让全部运用都有路由功用
const app = new Vue({
  router
}).$mount('#app')

动态路由

一个『途径参数』运用冒号 : 标记。当婚配到一个路由时,参数值会被设置到 this.$route.params,能够在每一个组件内运用。因而,我们能够更新 User 的模板,输出当前用户的 ID:

const User = {
  template: '<div>User</div>'
}

const router = new VueRouter({
  routes: [
    // 动态途径参数 以冒号开首
    { path: '/user/:id', component: User }
  ]
})

潜套路由

const router = new VueRouter({
  routes: [
    { path: '/user/:id', component: User,
      children: [
        {
          // 当 /user/:id/profile 婚配胜利,
          // UserProfile 会被衬着在 User 的 <router-view> 中
          path: 'profile',
          component: UserProfile
        },
        {
          // 当 /user/:id/posts 婚配胜利
          // UserPosts 会被衬着在 User 的 <router-view> 中
          path: 'posts',
          component: UserPosts
        }
      ]
    }
  ]
})

子节点的router 会衬着到父节点User router-view 内里

router.push、 router.replace 和 router.go
想要导航到差别的 URL,则运用 router.push 要领。这个要领会向 history 栈增加一个新的纪录,所以,当用户点击浏览器退却按钮时,则回到之前的 URL。

router-link :to="{ name: 'user', params: { userId: 123 }}">User</router-link>
router.push({ name: 'user', params: { userId: 123 }})

2.定名视图

一个 layout 规划展现

<router-view class="view one"></router-view>
<router-view class="view two" name="a"></router-view>
<router-view class="view three" name="b"></router-view>


const router = new VueRouter({
  routes: [
    {
      path: '/',
      components: {
        default: Foo,
        a: Bar,
        b: Baz
      }
    }
  ]
})

定名视图中我们须要注重的处所,在props路由传值上面 关于包括定名视图的路由,你必需分别为每一个定名视图增加 props 选项

const User = {
  props: ['id'],
  template: '<div>User {{ id }}</div>'
}
const router = new VueRouter({
  routes: [
    { path: '/user/:id', component: User, props: true },

    // 关于包括定名视图的路由,你必需分别为每一个定名视图增加 `props` 选项:
    {
      path: '/user/:id',
      components: { default: User, sidebar: Sidebar },
      props: { default: true, sidebar: false }
    }
  ]
})

3.深切明白路由

路由的设置
declare type RouteConfig = {
  path: string;
  component?: Component;
  name?: string; // 定名路由
  components?: { [name: string]: Component }; // 定名视图组件
  redirect?: string | Location | Function;
  props?: boolean | string | Function;
  alias?: string | Array<string>;
  children?: Array<RouteConfig>; // 嵌套路由
  beforeEnter?: (to: Route, from: Route, next: Function) => void;
  meta?: any;

  // 2.6.0+
  caseSensitive?: boolean; // 婚配划定规矩是不是大小写敏感?(默认值:false)
  pathToRegexpOptions?: Object; // 编译正则的选项
}

背面现实运用中,在补充一下文档—-现在都是看官方文档

    原文作者:木子喵
    原文地址: https://segmentfault.com/a/1190000014050179
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞