hash模式
- URL中#号后面的内容作为路径地址
- 监听hashchange事件
- 根据当前路与地址找到对应的组件重新渲染
history模式 - 通过history.pushState()方法改变地址栏
- 监听popstate事件
- 根据当前路由地址找到对应组件重新渲染
基本使用
// 1. 注册路由插件
Vue.use(VueRouter)
// 2. 创建 router 对象
const router = new VueRouter({
routes:[
{nmae:'home',path:'/',component:homeComponent}
]
})
const vm = new Vue({
// 3. 注册 router 对象
router,
render: h => h(App)
}).$mount('#app')
第一步实现install方法
第二步实现构造函数,构造函数中需要初始化options,data,routeMap三个属性,data为响应式对象
第三步,实现createRouteMap方法,把构造函数中传入options中的routes构造成键值对存储到routeMap中,键为路由地址,值为对于组件。
第四步,实现initComponents方法
第五步,运行时版本vue不支持template模板,手动实现一个render函数
第六步,实现initEvent()方法
/* eslint-disable indent */
let _Vue
export default class VueRouter {
// 先实现install方法
// 1,判断当前插件是否已经安装
static install (Vue) {
if (VueRouter.install.installed) {
return
}
VueRouter.install.installed = true
// 2,把Vue构造函数记录到全局变量
_Vue = Vue
// 3,把创建Vue实例传入的router对象注入到Vue实例上
// 混入
_Vue.mixin({
beforeCreate () {
if (this.$options.router) {
// 只需执行一次,并且是vue实例才执行,组件选项中没有router属性
_Vue.prototype.$router = this.$options.router
// this.$options.router.init() // 调用初始化两个方法
}
}
})
}
// 第二步实现构造函数
constructor (options) {
this.options = options
this.routeMap = {} // 解析options存储的routes,键是路由地址,值是组件
this.data = _Vue.observable({
current: '/'
})
this.init()
}
// 第三步实现createROuteMap
createRouteMap () {
// 遍历所有路由规则,把路由规则解析成键值对的形式 存储到routeMap中
this.options.routes.forEach(route => {
this.routeMap[route.path] = route.component
})
}
init () {
this.createRouteMap()
this.initComponents(_Vue)
this.initEvent()
}
initComponents (Vue) {
// 实现一个router-link组件
Vue.component('router-link', {
props: {
to: String
},
// template: '<a :href="to"><slot></slot></a>' 运行时版本vue不支持template模板
render (h) {
return h('a', {
attrs: {
href: this.to
},
on: {
click: this.clickHandler // 阻止点击的默认行为
}
}, [this.$slots.default])
},
methods: {
clickHandler (e) {
history.pushState({}, '', this.to)
// 改变当前路由地址
this.$router.data.current = this.to
e.preventDefault()
}
}
})
const self = this
Vue.component('router-view', {
render (h) {
const component = self.routeMap[self.data.current]
return h(component) // 转化component为虚拟dom
}
})
}
initEvent () {
// 注册popstate事件
window.addEventListener('popstate', () => {
// this代表组件实例
this.data.current = window.location.pathname
})
}
}
标签:yyds,Vue,component,干货,VueRouter,router,options,路由
From: https://blog.51cto.com/u_11365839/8487085