美文网首页Web前端之路
前端路由的实现

前端路由的实现

作者: XJBT | 来源:发表于2019-07-30 12:59 被阅读3次

SPA模式的页面开发是基于前端路由来实现的,在路由发生变化的时候仅仅去替换需要改变的组件而不需要继续向后端进行页面的请求(当然可能需要进行一些数据请求),这样的页面的切换会显得十分流畅。

实现前端路由的方式主要有两种:利用路由的hash以及HTML5里面的history

hash模式

通过改变url的hash部分来实现前端页面切换,因为只改变hash值是不会再次向后端发起请求页面的,这种模式即使刷新当前的页面也不会出现history模式中找不到页面的情况

关于hash的一些补充

  • location.href:返回完整的 URL

  • location.hash:返回 URL 的锚部分

  • location.pathname:返回 URL 路径名

  • hashchange 事件:当 location.hash 发生改变时,将触发这个事件

      # http://sherlocked93.club/base/#/page1
      {
          "href": "http://sherlocked93.club/base/#/page1",
          "pathname": "/base/",
          "hash": "#/page1"
      }
    

所以在前端路由切换的时候只改变hash部分的值,同时监听hashchange事件,根据hash值来进行组件的挂载。同时可以通过维护一个hash历史的数组来实现路由的前进和后退。

关于前进后退:

如果是点击浏览器自身的前进后退按钮自然是会自动改变hash,但是如果是点击页面中的back按钮的话就需要自己去通过数组来寻找上一个路由

  1. 实现没有自定义back按钮的前端路由,此时只有浏览器的前进后退按钮来改变hash值,这时候就不要维护一个历史数组,因为浏览器的前进后退会自动改变hash值,只需要根据hash值来render相应的组件即可

        <html lang="en">
            <head>
                <meta charset="UTF-8">
                <meta name="viewport" content="width=device-width, initial-scale=1.0">
                <meta http-equiv="X-UA-Compatible" content="ie=edge">
                <title>hash router</title>
            </head>
            <body>
                <ul>
                    <li><a href="#/">/</a></li>
                    <li><a href="#/page1">page1</a></li>
                    <li><a href="#/page2">page2</a></li>
                </ul>
                <div class='content-div'></div>
            </body>
            <script>
                class RouterClass {
                    constructor() {
                        this.routes = {}        // 记录路径标识符对应的cb
                        this.currentUrl = ''    // 记录hash只为方便执行cb
                        window.addEventListener('load', () => this.render())
                        window.addEventListener('hashchange', () => this.render())
                    }
                    
                    static init() {
                        window.Router = new RouterClass()
                    }
                    
                    /**
                    * 注册路由和回调
                    * @param path
                    * @param cb 回调
                    */
                    route(path, cb) {
                        this.routes[path] = cb || function() {}
                    }
                    
                    /**
                    * 记录当前hash,执行cb
                    */
                    render() {
                        this.currentUrl = location.hash.slice(1) || '/'
                        this.routes[this.currentUrl]()
                    }
                }
    
                RouterClass.init()
                const ContentDom = document.querySelector('.content-div')
                const changeContent = content => ContentDom.innerHTML = content
    
                Router.route('/', () => changeContent('默认页面'))
                Router.route('/page1', () => changeContent('page1页面'))
                Router.route('/page2', () => changeContent('page2页面'))
    
            </script>
        </html>
    
    
  2. 实现有自定义back按钮的前端路由,这时候需要维护一个历史记录的数组

        <html lang="en">
            <head>
                <meta charset="UTF-8">
                <meta name="viewport" content="width=device-width, initial-scale=1.0">
                <meta http-equiv="X-UA-Compatible" content="ie=edge">
                <title>hash router</title>
            </head>
            <body>
                <ul>
                    <li><a href="#/">/</a></li>
                    <li><a href="#/page1">page1</a></li>
                    <li><a href="#/page2">page2</a></li>
                </ul>
                <div class='content-div'></div>
                <button>back</button> // 添加一个back按钮
            </body>
            <script>
                class RouterClass {
                    constructor() {
                        this.isBack = false
                        this.routes = {}        // 记录路径标识符对应的cb
                        this.currentUrl = ''    // 记录hash只为方便执行cb
                        this.historyStack = []  // hash栈
                        window.addEventListener('load', () => this.render())
                        window.addEventListener('hashchange', () => this.render())
                    }
                    
                    static init() {
                        window.Router = new RouterClass()
                    }
                    
                    /**
                    * 记录path对应cb
                    * @param path
                    * @param cb 回调
                    */
                    route(path, cb) {
                        this.routes[path] = cb || function() {}
                    }
                    
                    /**
                    * 入栈当前hash,执行cb
                    */
                    render() {
                        if (this.isBack) {      // 如果是由backoff进入,则置false之后return
                            this.isBack = false   // 其他操作在backoff方法中已经做了
                            return
                        }
                        this.currentUrl = location.hash.slice(1) || '/'
                        this.historyStack.push(this.currentUrl)
                        this.routes[this.currentUrl]()
                        // console.log('refresh事件   Stack:', this.historyStack, '   currentUrl:', this.currentUrl)
                    }
                    
                    /**
                    * 路由后退
                    */
                    back() {
                        this.isBack = true
                        this.historyStack.pop()                   // 移除当前hash,回退到上一个
                        const { length } = this.historyStack
                        if (!length) return
                        let prev = this.historyStack[length - 1]  // 拿到要回退到的目标hash
                        location.hash = `#${ prev }`
                        this.currentUrl = prev
                        this.routes[prev]()                       // 执行对应cb
                        // console.log('点击后退,当前stack:', this.historyStack, '   currentUrl:', this.currentUrl)
                    }
                }
    
    
                RouterClass.init()
                const BtnDom = document.querySelector('button')
                const ContentDom = document.querySelector('.content-div')
                const changeContent = content => ContentDom.innerHTML = content
    
                Router.route('/', () => changeContent('默认页面'))
                Router.route('/page1', () => changeContent('page1页面'))
                Router.route('/page2', () => changeContent('page2页面'))
    
                BtnDom.addEventListener('click', Router.back.bind(Router), false)
    
            </script>
        </html>
    
    

history模式

利用HTML5的history API来实现前端路由

history对象的方法有:

  • history.pushState()
  • history.go()
  • history.forward() // 相当于history.go(1)
  • history.back() // 相当于history.go(-1)
    window.history.pushState(null, null, "https://www.baidu.com/?name=orange");

通过监听window.onpopstate来做一些操作,每次页面切换的时候(不论前进还是后退)都会触发popstate事件,

注意,在执行pushState的时候会发生页面切换,但是此时不会触发popstate事件

    class RouterClass {
        constructor(path) {
            this.routes = {}        // 记录路径标识符对应的cb
            history.replaceState({ path }, null, path)
            this.routes[path] && this.routes[path]()
            window.addEventListener('popstate', e => {
                console.log(e, ' --- e')
                const path = e.state && e.state.path
                this.routes[path] && this.routes[path]()
            })
        }
        
        static init() {
            window.Router = new RouterClass(location.pathname)
        }
        
        /**
        * 记录path对应cb
        * @param path 路径
        * @param cb 回调
        */
        route(path, cb) {
            this.routes[path] = cb || function() {}
        }
        
        /**
        * 触发路由对应回调
        * @param path
        */
        go(path) {
            history.pushState({ path }, null, path)
            this.routes[path] && this.routes[path]()
        }
    }


    RouterClass.init()
    const ul = document.querySelector('ul')
    const ContentDom = document.querySelector('.content-div')
    const changeContent = content => ContentDom.innerHTML = content

    Router.route('/', () => changeContent('默认页面'))
    Router.route('/page1', () => changeContent('page1页面'))
    Router.route('/page2', () => changeContent('page2页面'))

    ul.addEventListener('click', e => {
        if (e.target.tagName === 'A') {
            e.preventDefault()
            Router.go(e.target.getAttribute('href'))
        }
    })

注意

history的pushState不支持跨域模式

history模式是有缺陷需要解决的,因为history模式是直接改变URL的,所以如果前端路由到一个URL,而后端实际上是没有这个地址的响应的,那么如果在该页面直接刷新的话就会向后端发出该URL的请求,也就获取不到响应的页面,会报404错误,所以需要进行处理,可以通过把无法识别的URL指向index.html来解决

相关文章

  • 前端路由的简易实现

    前端路由实现前端路由实现的简要原理,以 hash 形式(也可以使用 History API 来处理)为例,当 ur...

  • vue路由

    今日目标 1.能够说出什么是路由2.能够说出前端路由的实现原理3.能够使用Vue-Router实现前端路由4.能够...

  • vue路由

    今日目标 1.能够说出什么是路由2.能够说出前端路由的实现原理3.能够使用Vue-Router实现前端路由4.能够...

  • 实现一个简易的前端路由

    实现一个简易的前端路由

  • 面试:谈谈对前端路由的理解?

    面试官想听到什么答案呢? 1、为什么会出现前端路由。 2、前端路由解决了什么问题。 3、前端路由实现的原理是什么。...

  • SPA 中前端路由原理与实现方式

    SPA 中前端路由原理与实现方式 通常 SPA 中前端路由有2中实现方式,本文会简单快速总结这两种方法及其实现: ...

  • vue权限路由实现的方法示例总结

    使用全局路由守卫 实现 前端定义好路由,并且在路由上标记相应的权限信息 前端全栈学习交流圈:866109386,面...

  • vue-router 源码实现前端路由的两种方式

    在学习 vue-router 的代码之前,先来简单了解一下前端路由。 前端路由主要有两种实现方法: Hash 路由...

  • 04-15动态路由的实现与优化

    Vue中后台鉴权的另一种思路 - 动态路由的实现与优化 鉴权-前端路由 VS 鉴权-动态路由 前端路由鉴权相信只要...

  • 前端路由

    什么是前端路由 前端路由的前生今世及实现原理 先有的SPA,页面内部交互无刷新,再到页面跳转也无刷新,因此路由出现了

网友评论

    本文标题:前端路由的实现

    本文链接:https://www.haomeiwen.com/subject/ctogrctx.html