前端面试之vue实践
由于Vue在开发时对路由支持的不足,后来官方补充了vue-router插件,它在Vue的生态环境中非常重要,在实际开发中只要编写一个页面就会操作vue-router。要学习vue-router就要先知道这里的路由是什么?这里的路由并不是指我们平时所说的硬件路由器,这里的路由就是SPA(单页应用)的路径管理器。再通俗的说,vue-router就是我们WebApp的链接路径管理系统。
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
解读router/index.js文件
我们用vue-cli生产了我们的项目结构,你可以在src/router/index.js文件,这个文件就是路由的核心文件,我们先解读一下它。
import Vue from 'vue' //引入Vueimport Router from 'vue-router' //引入vue-routerimport Hello from '@/components/Hello' //引入根目录下的Hello.vue组件 Vue.use(Router) //Vue全局使用Router export default new Router({ routes: [ //配置路由,这里是个数组 { //每一个链接都是一个对象 path: '/', //链接路径 name: 'Hello', //路由名称, component: Hello //对应的组件模板 } ] })
增加一个Hi的路由和页面
对路由的核心文件熟悉后,我们试着增加一个路由配置,我们希望在地址栏输入 http://localhost:8080/#/hi 的时候出现一个新的页面,先来看一下我们希望得到的效果。
具体操作步骤如下:
在src/components目录下,新建 Hi.vue 文件。
编写文件内容,和我们之前讲过的一样,文件要包括三个部分<template><script>和<style>。文件很简单,只是打印一句话。
<template> <div class="hello"> <h1>{{ msg }}</h1> </div></template> <script>export default { name: 'hi', data () { return { msg: 'Hi, I am JSPang' } } }</script> <style scoped> </style>
引入 Hi组件:我们在router/index.js文件的上边引入Hi组件 import Hi from '@/components/Hi'
增加路由配置:在router/index.js文件的routes[]数组中,新增加一个对象,代码如下。
{ path:'/hi', name:'Hi', component:Hi }
router-link制作导航
现在通过在地址栏改变字符串地址,已经可以实现页面内容的变化了。这并不满足需求,我们需要的是在页面上有个像样的导航链接,我们只要点击就可以实现页面内容的变化。制作链接需要<router-link>标签,我们先来看一下它的语法。 <router-link to="/">[显示字段]</router-link>
子路由
改造App.vue的导航代码
App.vue代码,注意<route-view>的用法。
<template> <div id="app"> <img src="./assets/logo.png"> <p>导航 : <router-link to="/">首页</router-link> | <router-link to="/hi">Hi页面</router-link> | <router-link to="/hi/hi1">-Hi页面1</router-link> | <router-link to="/hi/hi2">-Hi页面2</router-link> <router-link to="/hi1">Hi页面</router-link> </p> <router-view/> </div></template><script>export default { name: "App"};</script><style>#app { font-family: "Avenir", Helvetica, Arial, sans-serif; -webkit-font-smoothing: antialiased; -moz-osx-font-smoothing: grayscale; text-align: center; color: #2c3e50; margin-top: 60px; }</style>
改写components/Hi.vue页面
把Hi.vue改成一个通用的模板,加入标签,给子模板提供插入位置。“Hi页面1” 和 “Hi页面2” 都相当于“Hi页面”的子页面,有点想继承关系。我们在“Hi页面”里加入标签。
Hi1.vue
<template> <div class="hello"> <h1>{{ msg }}</h1> </div></template><script>export default { name: 'hi', data () { return { msg: 'Hi, I am Hi1!' } } }</script><style scoped> </style>
Hi2.vue
<template> <div class="hello"> <h1>{{ msg }}</h1> </div></template><script>export default { name: 'hi', data () { return { msg: 'Hi, I am Hi2' } } }</script><style scoped></style>
Hi.vue代码
注意新增的router-view
<template> <div class="hello"> <h1>{{ msg }}</h1> <router-view class="aaa"></router-view> </div> </template> <script>export default { name: 'hi', data () { return { msg: 'Hi, I am JSPang' } } }</script> <style scoped> </style>
作者:前端攻城小牛
链接:https://www.jianshu.com/p/97e50a1fd2d2