vue項目前端知識點整理

vue項目前端知識點整理

微信受權後還能經過瀏覽器返回鍵回到受權頁

在導航守衛中能夠在next({})中設置replace: true來重定向到改路由,跟router.replace()相同前端

router.beforeEach((to, from, next) => {
  if (getToken()) {
    ...
  } else {
    // 儲存進來的地址,供受權後跳回
    setUrl(to.fullPath)
    next({ path: '/author', replace: true })
  }
})

路由切換時頁面不會自動回到頂部

const router = new VueRouter({
  routes: [...],
  scrollBehavior (to, from, savedPosition) {
    return new Promise((resolve, reject) => {
      setTimeout(() => {
        resolve({ x: 0, y: 0 })
      }, 0)
    })
  }
})

ios系統在微信瀏覽器input失去焦點後頁面不會自動回彈

初始的解決方案是input上綁定onblur事件,缺點是要綁定屢次,且有的input存在於第三方組件中,沒法綁定事件。
後來的解決方案是全局綁定focusin事件,由於focusin事件能夠冒泡,被最外層的body捕獲。vue

util.wxNoScroll = function() {
    let myFunction
    let isWXAndIos = isWeiXinAndIos()
    if (isWXAndIos) {
        document.body.addEventListener('focusin', () => {
            clearTimeout(myFunction)
        })
        document.body.addEventListener('focusout', () => {
            clearTimeout(myFunction)
            myFunction = setTimeout(function() {
                window.scrollTo({top: 0, left: 0, behavior: 'smooth'})
            }, 200)
        })
    }
   
    function isWeiXinAndIos () {
        let ua = '' + window.navigator.userAgent.toLowerCase()
        let isWeixin = /MicroMessenger/i.test(ua)
        let isIos = /\(i[^;]+;( U;)? CPU.+Mac OS X/i.test(ua)
        return isWeixin && isIos
    }
}

在子組件中修改父組件傳遞的值時會報錯

vue中的props是單向綁定的,但若是props的類型爲數組或者對象時,在子組件內部改變props的值控制檯不會警告。由於數組或對象是地址引用,但官方不建議在子組件內改變父組件的值,這違反了vue中props單向綁定的思想。因此須要在改變props值的時候使用$emit,更簡單的方法是使用.sync修飾符。ios

// 在子組件中
this.$emit('update:title', newTitle)

//在父組件中
<text-document :title.sync="doc.title"></text-document>

使用微信JS-SDK上傳圖片接口的處理

首先調用wx.chooseImage(),引導用戶拍照或從手機相冊中選圖。成功會拿到圖片的localId,再調用wx.uploadImage()將本地圖片暫存到微信服務器上並返回圖片的服務器端ID,再請求後端的上傳接口最後拿到圖片的服務器地址。vuex

chooseImage(photoMustTake) {
    return new Promise(resolve => {
        var sourceType = (photoMustTake && photoMustTake == 1) ? ['camera'] : ['album', 'camera']
        wx.chooseImage({
            count: 1, // 默認9
            sizeType: ['original', 'compressed'], // 能夠指定是原圖仍是壓縮圖,默認兩者都有
            sourceType: sourceType, // 能夠指定來源是相冊仍是相機,默認兩者都有
            success: function (res) {
                // 返回選定照片的本地ID列表,localId能夠做爲img標籤的src屬性顯示圖片
                wx.uploadImage({
                    localId: res.localIds[0],
                    isShowProgressTips: 1,
                    success: function (upRes) {
                        const formdata={mediaId:upRes.serverId}
                        uploadImageByWx(qs.stringify(formdata)).then(osRes => {
                            resolve(osRes.data)
                        })
                    },
                    fail: function (res) {
                    //   alert(JSON.stringify(res));
                    }
                });
            }
        });
    })
}

聊天室斷線重連的處理

因爲後端設置了自動斷線時間,因此須要socket斷線自動重連。
data以下幾個屬性,beginTime表示當前的真實時間,用於和服務器時間同步,openTime表示socket建立時間,主要用於分頁,以及重連時的判斷,reconnection表示是否斷線重連。後端

data() {
    return {
        reconnection: false,
        beginTime: null,
        openTime: null
    }
}

初始化socket鏈接時,將openTime賦值爲當前本地時間,socket鏈接成功後,將beginTime賦值爲服務器返回的當前時間,再設置一個定時器,保持時間與服務器一致。數組

發送消息時,當有多個用戶,每一個用戶的系統本地時間不一樣,會致使消息的順序錯亂。因此須要發送beginTime參數用於記錄用戶發送的時間,而每一個用戶的beginTime都是與服務器時間同步的,能夠解決這個問題。
聊天室須要分頁,而不一樣的時刻分頁的數據不一樣,例如當前時刻有10條消息,而下個時刻又新增了2條數據,因此請求分頁數據時,傳遞openTime參數,表明以建立socket的時間做爲查詢基準。瀏覽器

// 建立socket
createSocket() {
    _that.openTime = new Date().getTime() // 記錄socket 建立時間
    _that.socket = new WebSocket(...)
}

// socket鏈接成功 返回狀態
COMMAND_LOGIN_RESP(data) {
    if(10007 == data.code) { // 登錄成功
        this.page.beginTime = data.user.updateTime // 登陸時間
        this.timeClock()
    }
}
// 更新登陸時間的時鐘
timeClock() {
    this.timer = setInterval(() => {
        this.page.beginTime = this.page.beginTime + 1000
    }, 1000)
}

當socket斷開時,判斷beginTime與當前時間是否超過60秒,若是沒超過說明爲非正常斷開鏈接不作處理。服務器

_that.socket.onerror = evt => {
    if (!_that.page.beginTime) {
        _that.$vux.toast.text('網絡忙,請稍後重試')
        return false
    }
    // 不重連
    if (this.noConnection == true) {
        return false
    }
    // socket斷線重連
    var date = new Date().getTime()
    // 判斷斷線時間是否超過60秒
    if (date - _that.openTime > 60000) {
        _that.reconnection = true
        _that.createSocket()
    }
}

發送音頻時第一次受權問題

發送音頻時,第一次點擊會彈框提示受權,無論點擊容許仍是拒絕都會執行wx.startRecord(),這樣再次調用錄音就會出現問題(由於上一個錄音沒有結束), 因爲錄音方法是由touchstart事件觸發的,可使用touchcancel事件捕獲彈出提示受權的狀態。微信

_that.$refs.btnVoice.addEventListener("touchcancel" ,function(event) {
    event.preventDefault()
    // 手動觸發 touchend
    _that.voice.isUpload = false
    _that.voice.voiceText = '按住 說話'
    _that.voice.touchStart = false
    _that.stopRecord()
})

組件銷燬時,沒有清空定時器

在組件實例被銷燬後,setInterval()還會繼續執行,須要手動清除,不然會佔用內存。網絡

mounted(){
    this.timer = (() => {
        ...
    }, 1000)
},
//最後在beforeDestroy()生命週期內清除定時器
 
beforeDestroy() {
    clearInterval(this.timer)       
    this.timer = null
}

watch監聽對象的變化

watch: {
    chatList: {
        deep: true, // 監聽對象的變化
        handler: function (newVal,oldVal){
            ...
        }
    }
}

後臺管理系統模板問題

因爲後臺管理系統增長了菜單權限,路由是根據菜單權限動態生成的,當只有一個菜單的權限時,會致使這個菜單可能不顯示,參看模板的源碼:

<router-link v-if="hasOneShowingChildren(item.children) && !item.children[0].children&&!item.alwaysShow" :to="resolvePath(item.children[0].path)">
    <el-menu-item :index="resolvePath(item.children[0].path)" :class="{'submenu-title-noDropdown':!isNest}">
      <svg-icon v-if="item.children[0].meta&&item.children[0].meta.icon" :icon-class="item.children[0].meta.icon"></svg-icon>
      <span v-if="item.children[0].meta&&item.children[0].meta.title" slot="title">{{generateTitle(item.children[0].meta.title)}}</span>
    </el-menu-item>
  </router-link>

  <el-submenu v-else :index="item.name||item.path">
    <template slot="title">
      <svg-icon v-if="item.meta&&item.meta.icon" :icon-class="item.meta.icon"></svg-icon>
      <span v-if="item.meta&&item.meta.title" slot="title">{{generateTitle(item.meta.title)}}</span>
    </template>

    <template v-for="child in item.children" v-if="!child.hidden">
      <sidebar-item :is-nest="true" class="nest-menu" v-if="child.children&&child.children.length>0" :item="child" :key="child.path" :base-path="resolvePath(child.path)"></sidebar-item>

      <router-link v-else :to="resolvePath(child.path)" :key="child.name">
        <el-menu-item :index="resolvePath(child.path)">
          <svg-icon v-if="child.meta&&child.meta.icon" :icon-class="child.meta.icon"></svg-icon>
          <span v-if="child.meta&&child.meta.title" slot="title">{{generateTitle(child.meta.title)}}</span>
        </el-menu-item>
      </router-link>
    </template>
  </el-submenu>

其中v-if="hasOneShowingChildren(item.children) && !item.children[0].children&&!item.alwaysShow"表示當這個節點只有一個子元素,且這個節點的第一個子元素沒有子元素時,顯示一個特殊的菜單樣式。而問題是item.children[0]多是一個隱藏的菜單(item.hidden === true),因此當這個表達式成立時,可能會渲染一個隱藏的菜單。參看最新的後臺源碼,做者已經修復了這個問題。

<template v-if="hasOneShowingChild(item.children,item) && (!onlyOneChild.children||onlyOneChild.noShowingChildren)&&!item.alwaysShow">
  <app-link v-if="onlyOneChild.meta" :to="resolvePath(onlyOneChild.path)">
    <el-menu-item :index="resolvePath(onlyOneChild.path)" :class="{'submenu-title-noDropdown':!isNest}">
      <item :icon="onlyOneChild.meta.icon||(item.meta&&item.meta.icon)" :title="onlyOneChild.meta.title" />
    </el-menu-item>
  </app-link>
</template>
methods: {
    hasOneShowingChild(children = [], parent) {
      const showingChildren = children.filter(item => {
        if (item.hidden) {
          return false
        } else {
          // Temp set(will be used if only has one showing child)
          this.onlyOneChild = item
          return true
        }
      })
      // When there is only one child router, the child router is displayed by default
      if (showingChildren.length === 1) {
        return true
      }
      // Show parent if there are no child router to display
      if (showingChildren.length === 0) {
        this.onlyOneChild = { ... parent, path: '', noShowingChildren: true }
        return true
      }
      return false
    }
  }

動態組件的建立

有時候咱們有不少相似的組件,只有一點點地方不同,咱們能夠把這樣的相似組件寫到配置文件中,動態建立和引用組件

var vm = new Vue({
  el: '#example',
  data: {
    currentView: 'home'
  },
  components: {
    home: { /* ... */ },
    posts: { /* ... */ },
    archive: { /* ... */ }
  }
})
<component v-bind:is="currentView">
  <!-- 組件在 vm.currentview 變化時改變! -->
</component>

動態菜單權限

因爲菜單是根據權限動態生成的,因此默認的路由只須要幾個不須要權限判斷的頁面,其餘的頁面的路由放在一個map對象asyncRouterMap中,
設置role爲權限對應的編碼

export const asyncRouterMap = [
    {
        path: '/project',
        component: Layout,
        redirect: 'noredirect',
        name: 'Project',
        meta: { title: '項目管理', icon: 'project' },
        children: [
            {
                path: 'index',
                name: 'Index',
                component: () => import('@/views/project/index'),
                meta: { title: '項目管理', role: 'PRO-01' }
            },

導航守衛的判斷,若是有token以及store.getters.allowGetRole說明用戶已經登陸,routers爲用戶根據權限生成的路由樹,若是不存在,則調用store.dispatch('GetMenu')請求用戶菜單權限,再調用store.dispatch('GenerateRoutes')將獲取的菜單權限解析成路由的結構。

router.beforeEach((to, from, next) => {
    if (whiteList.indexOf(to.path) !== -1) {
        next()
    } else {
        NProgress.start()
        // 判斷是否有token 和 是否容許用戶進入菜單列表
        if (getToken() && store.getters.allowGetRole) {
            if (to.path === '/login') {
                next({ path: '/' })
                NProgress.done()
            } else {
                if (!store.getters.routers.length) {
                    // 拉取用戶菜單權限
                    store.dispatch('GetMenu').then(() => {
                        // 生成可訪問的路由表
                        store.dispatch('GenerateRoutes').then(() => {
                            router.addRoutes(store.getters.addRouters)
                            next({ ...to, replace: true })
                        })
                    })
                } else {
                    next()
                }
            }
        } else {
            next('/login')
            NProgress.done()
        }
    }
})

store中的actions

// 獲取動態菜單菜單權限
GetMenu({ commit, state }) {
    return new Promise((resolve, reject) => {
        getMenu().then(res => {
            commit('SET_MENU', res.data)
            resolve(res)
        }).catch(error => {
            reject(error)
        })
    })
},
// 根據權限生成對應的菜單
GenerateRoutes({ commit, state }) {
    return new Promise(resolve => {
        // 循環異步掛載的路由
        var accessedRouters = []
        asyncRouterMap.forEach((item, index) => {
            if (item.children && item.children.length) {
                item.children = item.children.filter(child => {
                    if (child.hidden) {
                        return true
                    } else if (hasPermission(state.role.menu, child)) {
                        return true
                    } else {
                        return false
                    }
                })
            }
            accessedRouters[index] = item
        })
        // 將處理後的路由保存到vuex中
        commit('SET_ROUTERS', accessedRouters)
        resolve()
    })
},

項目的部署和版本切換

目前項目有兩個環境,分別爲測試環境和生產環境,請求的接口地址配在\src\utils\global.js中,當部署生產環境時只須要將develop分支的代碼合併到master分支,global.js不須要再額外更改地址

相關文章
相關標籤/搜索