前端路由的实现

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来解决

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,547评论 6 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,399评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,428评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,599评论 1 274
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,612评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,577评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,941评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,603评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,852评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,605评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,693评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,375评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,955评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,936评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,172评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,970评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,414评论 2 342

推荐阅读更多精彩内容

  • 原文见martin的博客 最近一直在研究前后端分离,ajax可以很好的解决前后端分离的问题,但是又存在着浏览器无法...
    small_a阅读 9,648评论 4 34
  • 一、前端路由介绍 前端路由主要应用在SPA(单页面开发)项目中。在无刷新的情况下,根据不同的URL来显示不同的组件...
    不见_长安阅读 434评论 0 0
  • 1.为什么用前端路由 传统web为服务端处理来自浏览器的请求时,根据不同的url拼接处对应的视图页面,通过http...
    星月西阅读 352评论 0 0
  • react+redux+webpack+babel+npm+shell+git这方面的内容我会随时更新,更新内容放...
    liangklfang阅读 648评论 0 1
  • 浏览器中window.location属性 和window.history属性:
    笑笑料料阅读 135评论 0 0