Vue Router: RouterView和RouterLink的使用
Vue Router 是 Vue 官方的客户端路由解决方案。
客户端路由的作用是在单页应用 (SPA) 中将浏览器的 URL 和用户看到的内容绑定起来。当用户在应用中浏览不同页面时,URL 会随之更新,但页面不需要从服务器重新加载。
Vue Router 基于 Vue 的组件系统构建,你可以通过配置路由来告诉 Vue Router 为每个 URL 路径显示哪些组件。
示例
让我们首先来看根组件, App.vue
。
<template>
<h1>Hello App!</h1>
<p>
<strong>Current route path:</strong> {{ $route.fullPath }}
</p>
<nav>
<RouterLink to="/">Go to Home</RouterLink>
<RouterLink to="/about">Go to About</RouterLink>
</nav>
<main>
<RouterView />
</main>
</template>
在这个 template
中使用了两个由 Vue Router 提供的组件: RouterLink
和 RouterView
。
不同于常规的 <a>
标签,我们使用组件 RouterLink
来创建链接。这使得 Vue Router 能够在不重新加载页面的情况下改变 URL,处理 URL 的生成、编码和其他功能。我们将会在之后的部分深入了解 RouterLink
组件。
RouterView
组件可以使 Vue Router 知道你想要在哪里渲染当前 URL 路径对应的路由组件。它不一定要在 App.vue
中,你可以把它放在任何地方,但它需要在某处被导入,否则 Vue Router 就不会渲染任何东西。
上述示例还使用了 {{ $route.fullPath }}
。你可以在组件模板中使用 $route
来访问当前的路由对象。
创建路由器实例
路由器实例是通过调用 createRouter()
函数创建的:
import { createMemoryHistory, createRouter } from 'vue-router'
import HomeView from './HomeView.vue'
import AboutView from './AboutView.vue'
const routes = [
{ path: '/', component: HomeView },
{ path: '/about', component: AboutView },
]
const router = createRouter({
history: createMemoryHistory(),
routes,
})
这里的 routes
选项定义了一组路由,把 URL 路径映射到组件。其中,由 component
参数指定的组件就是先前在 App.vue
中被 <RouterView>
渲染的组件。这些路由组件通常被称为视图,但本质上它们只是普通的 Vue 组件。
其他可以设置的路由选项我们会在之后介绍,目前我们只需要 path
和 component
。